Eurovoice Song Contest eurovoicewiki https://eurovoice.miraheze.org/wiki/Main_Page MediaWiki 1.40.2 first-letter Media Special Talk User User talk Eurovoice Song Contest Eurovoice Song Contest talk File File talk MediaWiki MediaWiki talk Template Template talk Help Help talk Category Category talk Module Module talk Template:Infobox/row 10 7 222 2021-08-05T20:27:43Z 2001:648:2800:214:2986:A90:5474:1A5E 0 Replaced content with "{{#if:{{{header|}}} |<tr><th colspan="2" class="{{{class|}}}" style="text-align:center; {{{headerstyle|}}}">{{{header}}}</th></tr> |{{#if:{{{data|}}} |<tr class="{{{ro..." wikitext text/x-wiki {{#if:{{{header|}}} |<tr><th colspan="2" class="{{{class|}}}" style="text-align:center; {{{headerstyle|}}}">{{{header}}}</th></tr> |{{#if:{{{data|}}} |<tr class="{{{rowclass|}}}">{{#if:{{{label|}}} |<th scope="row" style="text-align:left; {{{labelstyle|}}}">{{{label}}}</th> <td class="{{{class|}}}" style="{{{datastyle|}}}"> |<td colspan="2" class="{{{class|}}}" style="text-align:center; {{{datastyle|}}}"> }} {{{data}}}</td></tr> }} }} 49a1f9f5c244da1b34e5bf561520bb7ad7fe0785 Module:Arguments 828 117 224 2021-08-12T21:04:10Z w:c:eurovoice>Escgiorgio 0 Created page with "-- This module provides easy processing of arguments passed to Scribunto from -- #invoke. It is intended for use by other Lua modules, and should not be -- called from #invoke..." Scribunto text/plain -- This module provides easy processing of arguments passed to Scribunto from -- #invoke. It is intended for use by other Lua modules, and should not be -- called from #invoke directly. local libraryUtil = require('libraryUtil') local checkType = libraryUtil.checkType local arguments = {} -- Generate four different tidyVal functions, so that we don't have to check the -- options every time we call it. local function tidyValDefault(key, val) if type(val) == 'string' then val = val:match('^%s*(.-)%s*$') if val == '' then return nil else return val end else return val end end local function tidyValTrimOnly(key, val) if type(val) == 'string' then return val:match('^%s*(.-)%s*$') else return val end end local function tidyValRemoveBlanksOnly(key, val) if type(val) == 'string' then if val:find('%S') then return val else return nil end else return val end end local function tidyValNoChange(key, val) return val end local function matchesTitle(given, title) local tp = type( given ) return (tp == 'string' or tp == 'number') and mw.title.new( given ).prefixedText == title end local translate_mt = { __index = function(t, k) return k end } function arguments.getArgs(frame, options) checkType('getArgs', 1, frame, 'table', true) checkType('getArgs', 2, options, 'table', true) frame = frame or {} options = options or {} --[[ -- Set up argument translation. --]] options.translate = options.translate or {} if getmetatable(options.translate) == nil then setmetatable(options.translate, translate_mt) end if options.backtranslate == nil then options.backtranslate = {} for k,v in pairs(options.translate) do options.backtranslate[v] = k end end if options.backtranslate and getmetatable(options.backtranslate) == nil then setmetatable(options.backtranslate, { __index = function(t, k) if options.translate[k] ~= k then return nil else return k end end }) end --[[ -- Get the argument tables. If we were passed a valid frame object, get the -- frame arguments (fargs) and the parent frame arguments (pargs), depending -- on the options set and on the parent frame's availability. If we weren't -- passed a valid frame object, we are being called from another Lua module -- or from the debug console, so assume that we were passed a table of args -- directly, and assign it to a new variable (luaArgs). --]] local fargs, pargs, luaArgs if type(frame.args) == 'table' and type(frame.getParent) == 'function' then if options.wrappers then --[[ -- The wrappers option makes Module:Arguments look up arguments in -- either the frame argument table or the parent argument table, but -- not both. This means that users can use either the #invoke syntax -- or a wrapper template without the loss of performance associated -- with looking arguments up in both the frame and the parent frame. -- Module:Arguments will look up arguments in the parent frame -- if it finds the parent frame's title in options.wrapper; -- otherwise it will look up arguments in the frame object passed -- to getArgs. --]] local parent = frame:getParent() if not parent then fargs = frame.args else local title = parent:getTitle():gsub('/sandbox$', '') local found = false if matchesTitle(options.wrappers, title) then found = true elseif type(options.wrappers) == 'table' then for _,v in pairs(options.wrappers) do if matchesTitle(v, title) then found = true break end end end -- We test for false specifically here so that nil (the default) acts like true. if found or options.frameOnly == false then pargs = parent.args end if not found or options.parentOnly == false then fargs = frame.args end end else -- options.wrapper isn't set, so check the other options. if not options.parentOnly then fargs = frame.args end if not options.frameOnly then local parent = frame:getParent() pargs = parent and parent.args or nil end end if options.parentFirst then fargs, pargs = pargs, fargs end else luaArgs = frame end -- Set the order of precedence of the argument tables. If the variables are -- nil, nothing will be added to the table, which is how we avoid clashes -- between the frame/parent args and the Lua args. local argTables = {fargs} argTables[#argTables + 1] = pargs argTables[#argTables + 1] = luaArgs --[[ -- Generate the tidyVal function. If it has been specified by the user, we -- use that; if not, we choose one of four functions depending on the -- options chosen. This is so that we don't have to call the options table -- every time the function is called. --]] local tidyVal = options.valueFunc if tidyVal then if type(tidyVal) ~= 'function' then error( "bad value assigned to option 'valueFunc'" .. '(function expected, got ' .. type(tidyVal) .. ')', 2 ) end elseif options.trim ~= false then if options.removeBlanks ~= false then tidyVal = tidyValDefault else tidyVal = tidyValTrimOnly end else if options.removeBlanks ~= false then tidyVal = tidyValRemoveBlanksOnly else tidyVal = tidyValNoChange end end --[[ -- Set up the args, metaArgs and nilArgs tables. args will be the one -- accessed from functions, and metaArgs will hold the actual arguments. Nil -- arguments are memoized in nilArgs, and the metatable connects all of them -- together. --]] local args, metaArgs, nilArgs, metatable = {}, {}, {}, {} setmetatable(args, metatable) local function mergeArgs(tables) --[[ -- Accepts multiple tables as input and merges their keys and values -- into one table. If a value is already present it is not overwritten; -- tables listed earlier have precedence. We are also memoizing nil -- values, which can be overwritten if they are 's' (soft). --]] for _, t in ipairs(tables) do for key, val in pairs(t) do if metaArgs[key] == nil and nilArgs[key] ~= 'h' then local tidiedVal = tidyVal(key, val) if tidiedVal == nil then nilArgs[key] = 's' else metaArgs[key] = tidiedVal end end end end end --[[ -- Define metatable behaviour. Arguments are memoized in the metaArgs table, -- and are only fetched from the argument tables once. Fetching arguments -- from the argument tables is the most resource-intensive step in this -- module, so we try and avoid it where possible. For this reason, nil -- arguments are also memoized, in the nilArgs table. Also, we keep a record -- in the metatable of when pairs and ipairs have been called, so we do not -- run pairs and ipairs on the argument tables more than once. We also do -- not run ipairs on fargs and pargs if pairs has already been run, as all -- the arguments will already have been copied over. --]] metatable.__index = function (t, key) --[[ -- Fetches an argument when the args table is indexed. First we check -- to see if the value is memoized, and if not we try and fetch it from -- the argument tables. When we check memoization, we need to check -- metaArgs before nilArgs, as both can be non-nil at the same time. -- If the argument is not present in metaArgs, we also check whether -- pairs has been run yet. If pairs has already been run, we return nil. -- This is because all the arguments will have already been copied into -- metaArgs by the mergeArgs function, meaning that any other arguments -- must be nil. --]] if type(key) == 'string' then key = options.translate[key] end local val = metaArgs[key] if val ~= nil then return val elseif metatable.donePairs or nilArgs[key] then return nil end for _, argTable in ipairs(argTables) do local argTableVal = tidyVal(key, argTable[key]) if argTableVal ~= nil then metaArgs[key] = argTableVal return argTableVal end end nilArgs[key] = 'h' return nil end metatable.__newindex = function (t, key, val) -- This function is called when a module tries to add a new value to the -- args table, or tries to change an existing value. if type(key) == 'string' then key = options.translate[key] end if options.readOnly then error( 'could not write to argument table key "' .. tostring(key) .. '"; the table is read-only', 2 ) elseif options.noOverwrite and args[key] ~= nil then error( 'could not write to argument table key "' .. tostring(key) .. '"; overwriting existing arguments is not permitted', 2 ) elseif val == nil then --[[ -- If the argument is to be overwritten with nil, we need to erase -- the value in metaArgs, so that __index, __pairs and __ipairs do -- not use a previous existing value, if present; and we also need -- to memoize the nil in nilArgs, so that the value isn't looked -- up in the argument tables if it is accessed again. --]] metaArgs[key] = nil nilArgs[key] = 'h' else metaArgs[key] = val end end local function translatenext(invariant) local k, v = next(invariant.t, invariant.k) invariant.k = k if k == nil then return nil elseif type(k) ~= 'string' or not options.backtranslate then return k, v else local backtranslate = options.backtranslate[k] if backtranslate == nil then -- Skip this one. This is a tail call, so this won't cause stack overflow return translatenext(invariant) else return backtranslate, v end end end metatable.__pairs = function () -- Called when pairs is run on the args table. if not metatable.donePairs then mergeArgs(argTables) metatable.donePairs = true end return translatenext, { t = metaArgs } end local function inext(t, i) -- This uses our __index metamethod local v = t[i + 1] if v ~= nil then return i + 1, v end end metatable.__ipairs = function (t) -- Called when ipairs is run on the args table. return inext, t, 0 end return args end return arguments 3134ecce8429b810d445e29eae115e2ae4c36c53 Template:Nowrap 10 32 216 2022-02-23T01:39:07Z w:c:eurovoice>Escgiorgio 0 wikitext text/x-wiki <span class="nowrap">{{{1}}}</span> 1fd9223c42f151cf322d6d13eaa979eda150e9b3 Template:Estonia 10 95 226 2022-05-18T23:37:02Z w:c:eurovoice>Escgiorgio 0 wikitext text/x-wiki [[File:EstoniaMelfest.png|22px|border|link=]] [[Estonia{{{1|}}}|Estonia]] c3eb5f0ba3cbc0280d4b2bb539b0758615c4e25c 169 2022-09-07T10:33:45Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Estonia.svg|23px|border|link=]] [[Estonia]] 4d529b2a618216306384846caa1d4ff28b87b500 Template:Legend 10 121 236 2022-05-21T13:39:11Z w:c:eurovoice>Escgiorgio 0 Created page with "<includeonly><div class="legend"><span class="legend-color" style="display:inline-block; width:1.5em; height:1.5em; margin:1px 0; border:{{{border|1px solid {{{outline|black}}}}}}; background-color:{{trim|{{{1|transparent}}}}}; color:{{{textcolor|black}}}; font-size:{{{size|100%}}}; text-align:center;">{{#if:{{{text|}}}|<span class="legend-text" style="font-size:95%;">{{{text}}}</span>|&nbsp;}}</span>&nbsp;{{{2|}}}</div></includeonly><noinclude> {{Documentation}} </noinc..." wikitext text/x-wiki <includeonly><div class="legend"><span class="legend-color" style="display:inline-block; width:1.5em; height:1.5em; margin:1px 0; border:{{{border|1px solid {{{outline|black}}}}}}; background-color:{{trim|{{{1|transparent}}}}}; color:{{{textcolor|black}}}; font-size:{{{size|100%}}}; text-align:center;">{{#if:{{{text|}}}|<span class="legend-text" style="font-size:95%;">{{{text}}}</span>|&nbsp;}}</span>&nbsp;{{{2|}}}</div></includeonly><noinclude> {{Documentation}} </noinclude> 27c2938b9d3ee7bec88526d278beb6dfd6c3ea9d Template:Infobox 10 5 220 2022-05-21T22:56:02Z w:c:eurovoice>Escgiorgio 0 wikitext text/x-wiki {{#ifeq:{{{child|}}}|yes||<table class="infobox {{{bodyclass|}}}" cellspacing="3" style="border-spacing: 3px; width:{{{width|22.5em}}};background:#FAFAFA; float:right; font-size:85%; border: 1px solid #CCCCCC; {{{bodystyle|}}}"><!-- Caption -->{{#if:{{{title|}}}|<caption class="{{{titleclass|}}}" style="{{{titlestyle|}}}">{{{title}}}</caption>}}<!-- Header -->{{#if:{{{above|}}}|<tr><th colspan="2" class="{{{aboveclass|}}}" style="text-align:center; font-size:125%; font-weight:bold; {{{abovestyle|}}}">{{{above}}}</th></tr>}} }}{{#ifeq:{{{child|}}}|yes|{{#if:{{{title|}}}|'''{{{title}}}'''}}}}<!-- Subheader1 -->{{#if:{{{subheader|{{{subheader1|}}}}}}|{{Infobox/row |data={{{subheader|{{{subheader1|}}}}}} |datastyle={{{subheaderstyle|{{{subheaderstyle1|}}}}}} |class={{{subheaderclass|}}} |rowclass={{{subheaderrowclass|{{{subheaderrowclass1|}}}}}} }} }}<!-- Subheader2 -->{{#if:{{{subheader2|}}}|{{Infobox/row |data={{{subheader2}}} |datastyle={{{subheaderstyle|{{{subheaderstyle2|}}}}}} |class={{{subheaderclass|}}} |rowclass={{{subheaderrowclass2|}}} }} }}<!-- Image1 -->{{#if:{{{image|{{{image1|}}}}}}|{{Infobox/row |data={{{image|{{{image1}}} }}}{{#if:{{{caption|{{{caption1|}}}}}}|<br /><span style="{{{captionstyle|}}}">{{{caption|{{{caption1}}}}}}</span>}} |datastyle={{{imagestyle|}}} |class={{{imageclass|}}} |rowclass={{{imagerowclass1|}}} }} }}<!-- Image2 -->{{#if:{{{image2|}}}|{{Infobox/row |data={{{image2}}}{{#if:{{{caption2|}}}|<br /><span style="{{{captionstyle|}}}">{{{caption2}}}</span>}} |datastyle={{{imagestyle|}}} |class={{{imageclass|}}} |rowclass={{{imagerowclass2|}}} }} }}<!-- -->{{Infobox/row |header={{{header1|}}} |headerstyle={{{headerstyle|}}} |label={{{label1|}}} |labelstyle={{{labelstyle|}}} |data={{{data1|}}} |datastyle={{{datastyle|}}} |class={{{class1|}}} |rowclass={{{rowclass1|}}} }}{{Infobox/row |header={{{header2|}}} |headerstyle={{{headerstyle|}}} |label={{{label2|}}} |labelstyle={{{labelstyle|}}} |data={{{data2|}}} |datastyle={{{datastyle|}}} |class={{{class2|}}} |rowclass={{{rowclass2|}}} }}{{Infobox/row |header={{{header3|}}} |headerstyle={{{headerstyle|}}} |label={{{label3|}}} |labelstyle={{{labelstyle|}}} |data={{{data3|}}} |datastyle={{{datastyle|}}} |class={{{class3|}}} |rowclass={{{rowclass3|}}} }}{{Infobox/row |header={{{header4|}}} |headerstyle={{{headerstyle|}}} |label={{{label4|}}} |labelstyle={{{labelstyle|}}} |data={{{data4|}}} |datastyle={{{datastyle|}}} |class={{{class4|}}} |rowclass={{{rowclass4|}}} }}{{Infobox/row |header={{{header5|}}} |headerstyle={{{headerstyle|}}} |label={{{label5|}}} |labelstyle={{{labelstyle|}}} |data={{{data5|}}} |datastyle={{{datastyle|}}} |class={{{class5|}}} |rowclass={{{rowclass5|}}} }}{{Infobox/row |header={{{header6|}}} |headerstyle={{{headerstyle|}}} |label={{{label6|}}} |labelstyle={{{labelstyle|}}} |data={{{data6|}}} |datastyle={{{datastyle|}}} |class={{{class6|}}} |rowclass={{{rowclass6|}}} }}{{Infobox/row |header={{{header7|}}} |headerstyle={{{headerstyle|}}} |label={{{label7|}}} |labelstyle={{{labelstyle|}}} |data={{{data7|}}} |datastyle={{{datastyle|}}} |class={{{class7|}}} |rowclass={{{rowclass7|}}} }}{{Infobox/row |header={{{header8|}}} |headerstyle={{{headerstyle|}}} |label={{{label8|}}} |labelstyle={{{labelstyle|}}} |data={{{data8|}}} |datastyle={{{datastyle|}}} |class={{{class8|}}} |rowclass={{{rowclass8|}}} }}{{Infobox/row |header={{{header9|}}} |headerstyle={{{headerstyle|}}} |label={{{label9|}}} |labelstyle={{{labelstyle|}}} |data={{{data9|}}} |datastyle={{{datastyle|}}} |class={{{class9|}}} |rowclass={{{rowclass9|}}} }}{{Infobox/row |header={{{header10|}}} |headerstyle={{{headerstyle|}}} |label={{{label10|}}} |labelstyle={{{labelstyle|}}} |data={{{data10|}}} |datastyle={{{datastyle|}}} |class={{{class10|}}} |rowclass={{{rowclass10|}}} }}{{Infobox/row |header={{{header11|}}} |headerstyle={{{headerstyle|}}} |label={{{label11|}}} |labelstyle={{{labelstyle|}}} |data={{{data11|}}} |datastyle={{{datastyle|}}} |class={{{class11|}}} |rowclass={{{rowclass11|}}} }}{{Infobox/row |header={{{header12|}}} |headerstyle={{{headerstyle|}}} |label={{{label12|}}} |labelstyle={{{labelstyle|}}} |data={{{data12|}}} |datastyle={{{datastyle|}}} |class={{{class12|}}} |rowclass={{{rowclass12|}}} }}{{Infobox/row |header={{{header13|}}} |headerstyle={{{headerstyle|}}} |label={{{label13|}}} |labelstyle={{{labelstyle|}}} |data={{{data13|}}} |datastyle={{{datastyle|}}} |class={{{class13|}}} |rowclass={{{rowclass13|}}} }}{{Infobox/row |header={{{header14|}}} |headerstyle={{{headerstyle|}}} |label={{{label14|}}} |labelstyle={{{labelstyle|}}} |data={{{data14|}}} |datastyle={{{datastyle|}}} |class={{{class14|}}} |rowclass={{{rowclass14|}}} }}{{Infobox/row |header={{{header15|}}} |headerstyle={{{headerstyle|}}} |label={{{label15|}}} |labelstyle={{{labelstyle|}}} |data={{{data15|}}} |datastyle={{{datastyle|}}} |class={{{class15|}}} |rowclass={{{rowclass15|}}} }}{{Infobox/row |header={{{header16|}}} |headerstyle={{{headerstyle|}}} |label={{{label16|}}} |labelstyle={{{labelstyle|}}} |data={{{data16|}}} |datastyle={{{datastyle|}}} |class={{{class16|}}} |rowclass={{{rowclass16|}}} }}{{Infobox/row |header={{{header17|}}} |headerstyle={{{headerstyle|}}} |label={{{label17|}}} |labelstyle={{{labelstyle|}}} |data={{{data17|}}} |datastyle={{{datastyle|}}} |class={{{class17|}}} |rowclass={{{rowclass17|}}} }}{{Infobox/row |header={{{header18|}}} |headerstyle={{{headerstyle|}}} |label={{{label18|}}} |labelstyle={{{labelstyle|}}} |data={{{data18|}}} |datastyle={{{datastyle|}}} |class={{{class18|}}} |rowclass={{{rowclass18|}}} }}{{Infobox/row |header={{{header19|}}} |headerstyle={{{headerstyle|}}} |label={{{label19|}}} |labelstyle={{{labelstyle|}}} |data={{{data19|}}} |datastyle={{{datastyle|}}} |class={{{class19|}}} |rowclass={{{rowclass19|}}} }}{{Infobox/row |header={{{header20|}}} |headerstyle={{{headerstyle|}}} |label={{{label20|}}} |labelstyle={{{labelstyle|}}} |data={{{data20|}}} |datastyle={{{datastyle|}}} |class={{{class20|}}} |rowclass={{{rowclass20|}}} }}{{Infobox/row |header={{{header21|}}} |headerstyle={{{headerstyle|}}} |label={{{label21|}}} |labelstyle={{{labelstyle|}}} |data={{{data21|}}} |datastyle={{{datastyle|}}} |class={{{class21|}}} |rowclass={{{rowclass21|}}} }}{{Infobox/row |header={{{header22|}}} |headerstyle={{{headerstyle|}}} |label={{{label22|}}} |labelstyle={{{labelstyle|}}} |data={{{data22|}}} |datastyle={{{datastyle|}}} |class={{{class22|}}} |rowclass={{{rowclass22|}}} }}{{Infobox/row |header={{{header23|}}} |headerstyle={{{headerstyle|}}} |label={{{label23|}}} |labelstyle={{{labelstyle|}}} |data={{{data23|}}} |datastyle={{{datastyle|}}} |class={{{class23|}}} |rowclass={{{rowclass23|}}} }}{{Infobox/row |header={{{header24|}}} |headerstyle={{{headerstyle|}}} |label={{{label24|}}} |labelstyle={{{labelstyle|}}} |data={{{data24|}}} |datastyle={{{datastyle|}}} |class={{{class24|}}} |rowclass={{{rowclass24|}}} }}{{Infobox/row |header={{{header25|}}} |headerstyle={{{headerstyle|}}} |label={{{label25|}}} |labelstyle={{{labelstyle|}}} |data={{{data25|}}} |datastyle={{{datastyle|}}} |class={{{class25|}}} |rowclass={{{rowclass25|}}} }}{{Infobox/row |header={{{header26|}}} |headerstyle={{{headerstyle|}}} |label={{{label26|}}} |labelstyle={{{labelstyle|}}} |data={{{data26|}}} |datastyle={{{datastyle|}}} |class={{{class26|}}} |rowclass={{{rowclass26|}}} }}{{Infobox/row |header={{{header27|}}} |headerstyle={{{headerstyle|}}} |label={{{label27|}}} |labelstyle={{{labelstyle|}}} |data={{{data27|}}} |datastyle={{{datastyle|}}} |class={{{class27|}}} |rowclass={{{rowclass27|}}} }}{{Infobox/row |header={{{header28|}}} |headerstyle={{{headerstyle|}}} |label={{{label28|}}} |labelstyle={{{labelstyle|}}} |data={{{data28|}}} |datastyle={{{datastyle|}}} |class={{{class28|}}} |rowclass={{{rowclass28|}}} }}{{Infobox/row |header={{{header29|}}} |headerstyle={{{headerstyle|}}} |label={{{label29|}}} |labelstyle={{{labelstyle|}}} |data={{{data29|}}} |datastyle={{{datastyle|}}} |class={{{class29|}}} |rowclass={{{rowclass29|}}} }}{{Infobox/row |header={{{header30|}}} |headerstyle={{{headerstyle|}}} |label={{{label30|}}} |labelstyle={{{labelstyle|}}} |data={{{data30|}}} |datastyle={{{datastyle|}}} |class={{{class30|}}} |rowclass={{{rowclass30|}}} }}{{Infobox/row |header={{{header31|}}} |headerstyle={{{headerstyle|}}} |label={{{label31|}}} |labelstyle={{{labelstyle|}}} |data={{{data31|}}} |datastyle={{{datastyle|}}} |class={{{class31|}}} |rowclass={{{rowclass31|}}} }}{{Infobox/row |header={{{header32|}}} |headerstyle={{{headerstyle|}}} |label={{{label32|}}} |labelstyle={{{labelstyle|}}} |data={{{data32|}}} |datastyle={{{datastyle|}}} |class={{{class32|}}} |rowclass={{{rowclass32|}}} }}{{Infobox/row |header={{{header33|}}} |headerstyle={{{headerstyle|}}} |label={{{label33|}}} |labelstyle={{{labelstyle|}}} |data={{{data33|}}} |datastyle={{{datastyle|}}} |class={{{class33|}}} |rowclass={{{rowclass33|}}} }}{{Infobox/row |header={{{header34|}}} |headerstyle={{{headerstyle|}}} |label={{{label34|}}} |labelstyle={{{labelstyle|}}} |data={{{data34|}}} |datastyle={{{datastyle|}}} |class={{{class34|}}} |rowclass={{{rowclass34|}}} }}{{Infobox/row |header={{{header35|}}} |headerstyle={{{headerstyle|}}} |label={{{label35|}}} |labelstyle={{{labelstyle|}}} |data={{{data35|}}} |datastyle={{{datastyle|}}} |class={{{class35|}}} |rowclass={{{rowclass35|}}} }}{{Infobox/row |header={{{header36|}}} |headerstyle={{{headerstyle|}}} |label={{{label36|}}} |labelstyle={{{labelstyle|}}} |data={{{data36|}}} |datastyle={{{datastyle|}}} |class={{{class36|}}} |rowclass={{{rowclass36|}}} }}{{Infobox/row |header={{{header37|}}} |headerstyle={{{headerstyle|}}} |label={{{label37|}}} |labelstyle={{{labelstyle|}}} |data={{{data37|}}} |datastyle={{{datastyle|}}} |class={{{class37|}}} |rowclass={{{rowclass37|}}} }}{{Infobox/row |header={{{header38|}}} |headerstyle={{{headerstyle|}}} |label={{{label38|}}} |labelstyle={{{labelstyle|}}} |data={{{data38|}}} |datastyle={{{datastyle|}}} |class={{{class38|}}} |rowclass={{{rowclass38|}}} }}{{Infobox/row |header={{{header39|}}} |headerstyle={{{headerstyle|}}} |label={{{label39|}}} |labelstyle={{{labelstyle|}}} |data={{{data39|}}} |datastyle={{{datastyle|}}} |class={{{class39|}}} |rowclass={{{rowclass39|}}} }}{{Infobox/row |header={{{header40|}}} |headerstyle={{{headerstyle|}}} |label={{{label40|}}} |labelstyle={{{labelstyle|}}} |data={{{data40|}}} |datastyle={{{datastyle|}}} |class={{{class40|}}} |rowclass={{{rowclass40|}}} }}{{Infobox/row |header={{{header41|}}} |headerstyle={{{headerstyle|}}} |label={{{label41|}}} |labelstyle={{{labelstyle|}}} |data={{{data41|}}} |datastyle={{{datastyle|}}} |class={{{class41|}}} |rowclass={{{rowclass41|}}} }}{{Infobox/row |header={{{header42|}}} |headerstyle={{{headerstyle|}}} |label={{{label42|}}} |labelstyle={{{labelstyle|}}} |data={{{data42|}}} |datastyle={{{datastyle|}}} |class={{{class42|}}} |rowclass={{{rowclass42|}}} }}{{Infobox/row |header={{{header43|}}} |headerstyle={{{headerstyle|}}} |label={{{label43|}}} |labelstyle={{{labelstyle|}}} |data={{{data43|}}} |datastyle={{{datastyle|}}} |class={{{class43|}}} |rowclass={{{rowclass43|}}} }}{{Infobox/row |header={{{header44|}}} |headerstyle={{{headerstyle|}}} |label={{{label44|}}} |labelstyle={{{labelstyle|}}} |data={{{data44|}}} |datastyle={{{datastyle|}}} |class={{{class44|}}} |rowclass={{{rowclass44|}}} }}{{Infobox/row |header={{{header45|}}} |headerstyle={{{headerstyle|}}} |label={{{label45|}}} |labelstyle={{{labelstyle|}}} |data={{{data45|}}} |datastyle={{{datastyle|}}} |class={{{class45|}}} |rowclass={{{rowclass45|}}} }}{{Infobox/row |header={{{header46|}}} |headerstyle={{{headerstyle|}}} |label={{{label46|}}} |labelstyle={{{labelstyle|}}} |data={{{data46|}}} |datastyle={{{datastyle|}}} |class={{{class46|}}} |rowclass={{{rowclass46|}}} }}{{Infobox/row |header={{{header47|}}} |headerstyle={{{headerstyle|}}} |label={{{label47|}}} |labelstyle={{{labelstyle|}}} |data={{{data47|}}} |datastyle={{{datastyle|}}} |class={{{class47|}}} |rowclass={{{rowclass47|}}} }}{{Infobox/row |header={{{header48|}}} |headerstyle={{{headerstyle|}}} |label={{{label48|}}} |labelstyle={{{labelstyle|}}} |data={{{data48|}}} |datastyle={{{datastyle|}}} |class={{{class48|}}} |rowclass={{{rowclass48|}}} }}{{Infobox/row |header={{{header49|}}} |headerstyle={{{headerstyle|}}} |label={{{label49|}}} |labelstyle={{{labelstyle|}}} |data={{{data49|}}} |datastyle={{{datastyle|}}} |class={{{class49|}}} |rowclass={{{rowclass49|}}} }}{{Infobox/row |header={{{header50|}}} |headerstyle={{{headerstyle|}}} |label={{{label50|}}} |labelstyle={{{labelstyle|}}} |data={{{data50|}}} |datastyle={{{datastyle|}}} |class={{{class50|}}} |rowclass={{{rowclass50|}}} }}{{Infobox/row |header={{{header51|}}} |headerstyle={{{headerstyle|}}} |label={{{label51|}}} |labelstyle={{{labelstyle|}}} |data={{{data51|}}} |datastyle={{{datastyle|}}} |class={{{class51|}}} |rowclass={{{rowclass51|}}} }}{{Infobox/row |header={{{header52|}}} |headerstyle={{{headerstyle|}}} |label={{{label52|}}} |labelstyle={{{labelstyle|}}} |data={{{data52|}}} |datastyle={{{datastyle|}}} |class={{{class52|}}} |rowclass={{{rowclass52|}}} }}{{Infobox/row |header={{{header53|}}} |headerstyle={{{headerstyle|}}} |label={{{label53|}}} |labelstyle={{{labelstyle|}}} |data={{{data53|}}} |datastyle={{{datastyle|}}} |class={{{class53|}}} |rowclass={{{rowclass53|}}} }}{{Infobox/row |header={{{header54|}}} |headerstyle={{{headerstyle|}}} |label={{{label54|}}} |labelstyle={{{labelstyle|}}} |data={{{data54|}}} |datastyle={{{datastyle|}}} |class={{{class54|}}} |rowclass={{{rowclass54|}}} }}{{Infobox/row |header={{{header55|}}} |headerstyle={{{headerstyle|}}} |label={{{label55|}}} |labelstyle={{{labelstyle|}}} |data={{{data55|}}} |datastyle={{{datastyle|}}} |class={{{class55|}}} |rowclass={{{rowclass55|}}} }}{{Infobox/row |header={{{header56|}}} |headerstyle={{{headerstyle|}}} |label={{{label56|}}} |labelstyle={{{labelstyle|}}} |data={{{data56|}}} |datastyle={{{datastyle|}}} |class={{{class56|}}} |rowclass={{{rowclass56|}}} }}{{Infobox/row |header={{{header57|}}} |headerstyle={{{headerstyle|}}} |label={{{label57|}}} |labelstyle={{{labelstyle|}}} |data={{{data57|}}} |datastyle={{{datastyle|}}} |class={{{class57|}}} |rowclass={{{rowclass57|}}} }}{{Infobox/row |header={{{header58|}}} |headerstyle={{{headerstyle|}}} |label={{{label58|}}} |labelstyle={{{labelstyle|}}} |data={{{data58|}}} |datastyle={{{datastyle|}}} |class={{{class58|}}} |rowclass={{{rowclass58|}}} }}{{Infobox/row |header={{{header59|}}} |headerstyle={{{headerstyle|}}} |label={{{label59|}}} |labelstyle={{{labelstyle|}}} |data={{{data59|}}} |datastyle={{{datastyle|}}} |class={{{class59|}}} |rowclass={{{rowclass59|}}} }}{{Infobox/row |header={{{header60|}}} |headerstyle={{{headerstyle|}}} |label={{{label60|}}} |labelstyle={{{labelstyle|}}} |data={{{data60|}}} |datastyle={{{datastyle|}}} |class={{{class60|}}} |rowclass={{{rowclass60|}}} }}{{Infobox/row |header={{{header61|}}} |headerstyle={{{headerstyle|}}} |label={{{label61|}}} |labelstyle={{{labelstyle|}}} |data={{{data61|}}} |datastyle={{{datastyle|}}} |class={{{class61|}}} |rowclass={{{rowclass61|}}} }}{{Infobox/row |header={{{header62|}}} |headerstyle={{{headerstyle|}}} |label={{{label62|}}} |labelstyle={{{labelstyle|}}} |data={{{data62|}}} |datastyle={{{datastyle|}}} |class={{{class62|}}} |rowclass={{{rowclass62|}}} }}{{Infobox/row |header={{{header63|}}} |headerstyle={{{headerstyle|}}} |label={{{label63|}}} |labelstyle={{{labelstyle|}}} |data={{{data63|}}} |datastyle={{{datastyle|}}} |class={{{class63|}}} |rowclass={{{rowclass63|}}} }}{{Infobox/row |header={{{header64|}}} |headerstyle={{{headerstyle|}}} |label={{{label64|}}} |labelstyle={{{labelstyle|}}} |data={{{data64|}}} |datastyle={{{datastyle|}}} |class={{{class64|}}} |rowclass={{{rowclass64|}}} }}{{Infobox/row |header={{{header65|}}} |headerstyle={{{headerstyle|}}} |label={{{label65|}}} |labelstyle={{{labelstyle|}}} |data={{{data65|}}} |datastyle={{{datastyle|}}} |class={{{class65|}}} |rowclass={{{rowclass65|}}} }}{{Infobox/row |header={{{header66|}}} |headerstyle={{{headerstyle|}}} |label={{{label66|}}} |labelstyle={{{labelstyle|}}} |data={{{data66|}}} |datastyle={{{datastyle|}}} |class={{{class66|}}} |rowclass={{{rowclass66|}}} }}{{Infobox/row |header={{{header67|}}} |headerstyle={{{headerstyle|}}} |label={{{label67|}}} |labelstyle={{{labelstyle|}}} |data={{{data67|}}} |datastyle={{{datastyle|}}} |class={{{class67|}}} |rowclass={{{rowclass67|}}} }}{{Infobox/row |header={{{header68|}}} |headerstyle={{{headerstyle|}}} |label={{{label68|}}} |labelstyle={{{labelstyle|}}} |data={{{data68|}}} |datastyle={{{datastyle|}}} |class={{{class68|}}} |rowclass={{{rowclass68|}}} }}{{Infobox/row |header={{{header69|}}} |headerstyle={{{headerstyle|}}} |label={{{label69|}}} |labelstyle={{{labelstyle|}}} |data={{{data69|}}} |datastyle={{{datastyle|}}} |class={{{class69|}}} |rowclass={{{rowclass69|}}} }}{{Infobox/row |header={{{header70|}}} |headerstyle={{{headerstyle|}}} |label={{{label70|}}} |labelstyle={{{labelstyle|}}} |data={{{data70|}}} |datastyle={{{datastyle|}}} |class={{{class70|}}} |rowclass={{{rowclass70|}}} }}{{Infobox/row |header={{{header71|}}} |headerstyle={{{headerstyle|}}} |label={{{label71|}}} |labelstyle={{{labelstyle|}}} |data={{{data71|}}} |datastyle={{{datastyle|}}} |class={{{class71|}}} |rowclass={{{rowclass71|}}} }}{{Infobox/row |header={{{header72|}}} |headerstyle={{{headerstyle|}}} |label={{{label72|}}} |labelstyle={{{labelstyle|}}} |data={{{data72|}}} |datastyle={{{datastyle|}}} |class={{{class72|}}} |rowclass={{{rowclass72|}}} }}{{Infobox/row |header={{{header73|}}} |headerstyle={{{headerstyle|}}} |label={{{label73|}}} |labelstyle={{{labelstyle|}}} |data={{{data73|}}} |datastyle={{{datastyle|}}} |class={{{class73|}}} |rowclass={{{rowclass73|}}} }}{{Infobox/row |header={{{header74|}}} |headerstyle={{{headerstyle|}}} |label={{{label74|}}} |labelstyle={{{labelstyle|}}} |data={{{data74|}}} |datastyle={{{datastyle|}}} |class={{{class74|}}} |rowclass={{{rowclass74|}}} }}{{Infobox/row |header={{{header75|}}} |headerstyle={{{headerstyle|}}} |label={{{label75|}}} |labelstyle={{{labelstyle|}}} |data={{{data75|}}} |datastyle={{{datastyle|}}} |class={{{class75|}}} |rowclass={{{rowclass75|}}} }}{{Infobox/row |header={{{header76|}}} |headerstyle={{{headerstyle|}}} |label={{{label76|}}} |labelstyle={{{labelstyle|}}} |data={{{data76|}}} |datastyle={{{datastyle|}}} |class={{{class76|}}} |rowclass={{{rowclass76|}}} }}{{Infobox/row |header={{{header77|}}} |headerstyle={{{headerstyle|}}} |label={{{label77|}}} |labelstyle={{{labelstyle|}}} |data={{{data77|}}} |datastyle={{{datastyle|}}} |class={{{class77|}}} |rowclass={{{rowclass77|}}} }}{{Infobox/row |header={{{header78|}}} |headerstyle={{{headerstyle|}}} |label={{{label78|}}} |labelstyle={{{labelstyle|}}} |data={{{data78|}}} |datastyle={{{datastyle|}}} |class={{{class78|}}} |rowclass={{{rowclass78|}}} }}{{Infobox/row |header={{{header79|}}} |headerstyle={{{headerstyle|}}} |label={{{label79|}}} |labelstyle={{{labelstyle|}}} |data={{{data79|}}} |datastyle={{{datastyle|}}} |class={{{class79|}}} |rowclass={{{rowclass79|}}} }}{{Infobox/row |header={{{header80|}}} |headerstyle={{{headerstyle|}}} |label={{{label80|}}} |labelstyle={{{labelstyle|}}} |data={{{data80|}}} |datastyle={{{datastyle|}}} |class={{{class80|}}} |rowclass={{{rowclass80|}}} }}{{Infobox/row |header={{{header81|}}} |headerstyle={{{headerstyle|}}} |label={{{label81|}}} |labelstyle={{{labelstyle|}}} |data={{{data81|}}} |datastyle={{{datastyle|}}} |class={{{class81|}}} |rowclass={{{rowclass81|}}} }}{{Infobox/row |header={{{header82|}}} |headerstyle={{{headerstyle|}}} |label={{{label82|}}} |labelstyle={{{labelstyle|}}} |data={{{data82|}}} |datastyle={{{datastyle|}}} |class={{{class82|}}} |rowclass={{{rowclass82|}}} }}{{Infobox/row |header={{{header83|}}} |headerstyle={{{headerstyle|}}} |label={{{label83|}}} |labelstyle={{{labelstyle|}}} |data={{{data83|}}} |datastyle={{{datastyle|}}} |class={{{class83|}}} |rowclass={{{rowclass83|}}} }}{{Infobox/row |header={{{header84|}}} |headerstyle={{{headerstyle|}}} |label={{{label84|}}} |labelstyle={{{labelstyle|}}} |data={{{data84|}}} |datastyle={{{datastyle|}}} |class={{{class84|}}} |rowclass={{{rowclass84|}}} }}{{Infobox/row |header={{{header85|}}} |headerstyle={{{headerstyle|}}} |label={{{label85|}}} |labelstyle={{{labelstyle|}}} |data={{{data85|}}} |datastyle={{{datastyle|}}} |class={{{class85|}}} |rowclass={{{rowclass85|}}} }}{{Infobox/row |header={{{header86|}}} |headerstyle={{{headerstyle|}}} |label={{{label86|}}} |labelstyle={{{labelstyle|}}} |data={{{data86|}}} |datastyle={{{datastyle|}}} |class={{{class86|}}} |rowclass={{{rowclass86|}}} }}{{Infobox/row |header={{{header87|}}} |headerstyle={{{headerstyle|}}} |label={{{label87|}}} |labelstyle={{{labelstyle|}}} |data={{{data87|}}} |datastyle={{{datastyle|}}} |class={{{class87|}}} |rowclass={{{rowclass87|}}} }}{{Infobox/row |header={{{header88|}}} |headerstyle={{{headerstyle|}}} |label={{{label88|}}} |labelstyle={{{labelstyle|}}} |data={{{data88|}}} |datastyle={{{datastyle|}}} |class={{{class88|}}} |rowclass={{{rowclass88|}}} }}{{Infobox/row |header={{{header89|}}} |headerstyle={{{headerstyle|}}} |label={{{label89|}}} |labelstyle={{{labelstyle|}}} |data={{{data89|}}} |datastyle={{{datastyle|}}} |class={{{class89|}}} |rowclass={{{rowclass89|}}} }}{{Infobox/row |header={{{header90|}}} |headerstyle={{{headerstyle|}}} |label={{{label90|}}} |labelstyle={{{labelstyle|}}} |data={{{data90|}}} |datastyle={{{datastyle|}}} |class={{{class90|}}} |rowclass={{{rowclass90|}}} }}{{Infobox/row |header={{{header91|}}} |headerstyle={{{headerstyle|}}} |label={{{label91|}}} |labelstyle={{{labelstyle|}}} |data={{{data91|}}} |datastyle={{{datastyle|}}} |class={{{class91|}}} |rowclass={{{rowclass91|}}} }}{{Infobox/row |header={{{header92|}}} |headerstyle={{{headerstyle|}}} |label={{{label92|}}} |labelstyle={{{labelstyle|}}} |data={{{data92|}}} |datastyle={{{datastyle|}}} |class={{{class92|}}} |rowclass={{{rowclass92|}}} }}{{Infobox/row |header={{{header93|}}} |headerstyle={{{headerstyle|}}} |label={{{label93|}}} |labelstyle={{{labelstyle|}}} |data={{{data93|}}} |datastyle={{{datastyle|}}} |class={{{class93|}}} |rowclass={{{rowclass93|}}} }}{{Infobox/row |header={{{header94|}}} |headerstyle={{{headerstyle|}}} |label={{{label94|}}} |labelstyle={{{labelstyle|}}} |data={{{data94|}}} |datastyle={{{datastyle|}}} |class={{{class94|}}} |rowclass={{{rowclass94|}}} }}{{Infobox/row |header={{{header95|}}} |headerstyle={{{headerstyle|}}} |label={{{label95|}}} |labelstyle={{{labelstyle|}}} |data={{{data95|}}} |datastyle={{{datastyle|}}} |class={{{class95|}}} |rowclass={{{rowclass95|}}} }}{{Infobox/row |header={{{header96|}}} |headerstyle={{{headerstyle|}}} |label={{{label96|}}} |labelstyle={{{labelstyle|}}} |data={{{data96|}}} |datastyle={{{datastyle|}}} |class={{{class96|}}} |rowclass={{{rowclass96|}}} }}{{Infobox/row |header={{{header97|}}} |headerstyle={{{headerstyle|}}} |label={{{label97|}}} |labelstyle={{{labelstyle|}}} |data={{{data97|}}} |datastyle={{{datastyle|}}} |class={{{class97|}}} |rowclass={{{rowclass97|}}} }}{{Infobox/row |header={{{header98|}}} |headerstyle={{{headerstyle|}}} |label={{{label98|}}} |labelstyle={{{labelstyle|}}} |data={{{data98|}}} |datastyle={{{datastyle|}}} |class={{{class98|}}} |rowclass={{{rowclass98|}}} }}{{Infobox/row |header={{{header99|}}} |headerstyle={{{headerstyle|}}} |label={{{label99|}}} |labelstyle={{{labelstyle|}}} |data={{{data99|}}} |datastyle={{{datastyle|}}} |class={{{class99|}}} |rowclass={{{rowclass99|}}} }}<!-- Below -->{{#if:{{{below|}}}|<tr><td colspan="2" class="{{{belowclass|}}}" style="text-align:center; {{{belowstyle|}}}">{{{below}}}</td></tr>}}<!-- Navbar -->{{#if:{{{name|}}}|<tr><td colspan="2" style="text-align:right">{{navbar|{{{name}}}|mini=1}}</td></tr>}} {{#ifeq:{{{child|}}}|yes||</table>}}{{#switch:{{lc:{{{italic title|¬}}}}} |¬|no = <!-- no italic title --> ||force|yes = {{italic title|force={{#ifeq:{{lc:{{{italic title|}}}}}|force|true}}}} }}<includeonly>{{#ifeq:{{{decat|}}}|yes||{{#if:{{{data1|}}}{{{data2|}}}{{{data3|}}}{{{data4|}}}{{{data5|}}}{{{data6|}}}{{{data7|}}}{{{data8|}}}{{{data9|}}}{{{data10|}}}{{{data11|}}}{{{data12|}}}{{{data13|}}}{{{data14|}}}{{{data15|}}}{{{data16|}}}{{{data17|}}}{{{data18|}}}{{{data19|}}}{{{data20|}}}{{{data21|}}}{{{data22|}}}{{{data23|}}}{{{data24|}}}{{{data25|}}}{{{data26|}}}{{{data27|}}}{{{data28|}}}{{{data29|}}}{{{data30|}}}{{{data31|}}}{{{data32|}}}{{{data33|}}}{{{data34|}}}{{{data35|}}}{{{data36|}}}{{{data37|}}}{{{data38|}}}{{{data39|}}}{{{data40|}}}{{{data41|}}}{{{data42|}}}{{{data43|}}}{{{data44|}}}{{{data45|}}}{{{data46|}}}{{{data47|}}}{{{data48|}}}{{{data49|}}}{{{data50|}}}{{{data51|}}}{{{data52|}}}{{{data53|}}}{{{data54|}}}{{{data55|}}}{{{data56|}}}{{{data57|}}}{{{data58|}}}{{{data59|}}}{{{data60|}}}{{{data61|}}}{{{data62|}}}{{{data63|}}}{{{data64|}}}{{{data65|}}}{{{data66|}}}{{{data67|}}}{{{data68|}}}{{{data69|}}}{{{data70|}}}{{{data71|}}}{{{data72|}}}{{{data73|}}}{{{data74|}}}{{{data75|}}}{{{data76|}}}{{{data77|}}}{{{data78|}}}{{{data79|}}}{{{data80|}}}{{{data81|}}}{{{data82|}}}{{{data83|}}}{{{data84|}}}{{{data85|}}}{{{data86|}}}{{{data87|}}}{{{data88|}}}{{{data89|}}}{{{data90|}}}{{{data91|}}}{{{data92|}}}{{{data93|}}}{{{data94|}}}{{{data95|}}}{{{data96|}}}{{{data97|}}}{{{data98|}}}{{{data99|}}}||{{namespace detect|main=[[category:articles which use infobox templates with no data rows]]}}}}}}</includeonly><noinclude>{{documentation}}</noinclude> b508229b0fbd48db74979b1de9daf3d40b34430d Template:Flagicon 10 119 230 2022-05-22T16:04:02Z w:c:eurovoice>Escgiorgio 0 wikitext text/x-wiki [[file:{{{1}}}Melfest.png|22px|{{{size}}}px|border|link=]] 9450be67f0ec4caaa5bb5b4e01b58827bd970f64 Template:Countrylink 10 120 232 2022-05-22T16:52:16Z w:c:eurovoice>Escgiorgio 0 Created page with "[[{{{1}}} {{#if:{{{y|}}}|in The Song {{{y|}}}}}|{{{2|{{{1}}}}}}]]<noinclude> Makes links to individual The Song countries easier to type. '''Using the template:'''<br/> * <nowiki>{{Countrylink|Denmark}}</nowiki> → [[Denmark]] * <nowiki>{{Countrylink|Denmark|Danish}}</nowiki> → [[Denmark|Danish]] * <nowiki>{{Countrylink|Denmark|y=1}}</nowiki> → [[Denmark]] </noinclude>" wikitext text/x-wiki [[{{{1}}} {{#if:{{{y|}}}|in The Song {{{y|}}}}}|{{{2|{{{1}}}}}}]]<noinclude> Makes links to individual The Song countries easier to type. '''Using the template:'''<br/> * <nowiki>{{Countrylink|Denmark}}</nowiki> → [[Denmark]] * <nowiki>{{Countrylink|Denmark|Danish}}</nowiki> → [[Denmark|Danish]] * <nowiki>{{Countrylink|Denmark|y=1}}</nowiki> → [[Denmark]] </noinclude> dc773091abaf623a5e4e985bfbc4c22b5bf63675 Template:Escyr 10 54 234 2022-05-22T16:54:42Z w:c:eurovoice>Escgiorgio 0 Created page with "[[{{#switch: {{lc:{{{2|}}}}} | j | junior | jesc = The Song | dance | edc = Eurovision Dance Contest | musicians | m | eym = Eurovision Young Musicians | dancers | eyd = Eurovision Young Dancers | c | choir = Eurovision Choir | The Song}} {{{1|}}}|{{#if: {{{3|}}}| {{{3|}}}|{{{1|}}}}}]]<noinclude> {{Documentation}} </noinclude>" wikitext text/x-wiki [[{{#switch: {{lc:{{{2|}}}}} | j | junior | jesc = The Song | dance | edc = Eurovision Dance Contest | musicians | m | eym = Eurovision Young Musicians | dancers | eyd = Eurovision Young Dancers | c | choir = Eurovision Choir | The Song}} {{{1|}}}|{{#if: {{{3|}}}| {{{3|}}}|{{{1|}}}}}]]<noinclude> {{Documentation}} </noinclude> 568a6c746ae6c82d2f5cbce69024fcba47bbb046 Template:Small 10 118 228 2022-05-24T23:34:22Z w:c:eurovoice>Escgiorgio 0 Created page with "<small style="font-size:85%;">{{{1}}}</small>{{#if:{{{1|}}}||<includeonly>[[Category:Pages using small with an empty input parameter]]</includeonly>}}<noinclude> <!--Categories and interwikis go in the /doc sub-page.--> {{Documentation}} </noinclude>" wikitext text/x-wiki <small style="font-size:85%;">{{{1}}}</small>{{#if:{{{1|}}}||<includeonly>[[Category:Pages using small with an empty input parameter]]</includeonly>}}<noinclude> <!--Categories and interwikis go in the /doc sub-page.--> {{Documentation}} </noinclude> 7136693c3e30c60915ede6cc616e1ef0a6c35d67 Template:Trim 10 122 238 2022-06-10T11:47:22Z w:c:eurovoice>Escgiorgio 0 Created page with "<includeonly>{{ {{{|safesubst:}}}#if:1|{{{1|}}}}}</includeonly>" wikitext text/x-wiki <includeonly>{{ {{{|safesubst:}}}#if:1|{{{1|}}}}}</includeonly> a91276f8fe48ce1fab15d24fb136c6b4442343b3 Template:Abbr 10 3 218 2022-07-19T22:28:10Z w:c:eurovoice>Escgiorgio 0 Created page with "<abbr {{#if:{{{class|}}}|class="{{{class}}}"}} {{#if:{{{id|}}}|id="{{{id}}}"}} {{#if:{{{style|}}}|style="{{{style}}}"}} title="{{#tag:nowiki|{{{2|}}}}}">{{#switch: {{{3|}}} | u | unicode | Unicode = {{Unicode|{{{1|}}}}} | i | IPA = {{IPA|{{{1|}}}}} | {{{1|}}} }}</abbr><noinclude> {{Documentation}} </noinclude>" wikitext text/x-wiki <abbr {{#if:{{{class|}}}|class="{{{class}}}"}} {{#if:{{{id|}}}|id="{{{id}}}"}} {{#if:{{{style|}}}|style="{{{style}}}"}} title="{{#tag:nowiki|{{{2|}}}}}">{{#switch: {{{3|}}} | u | unicode | Unicode = {{Unicode|{{{1|}}}}} | i | IPA = {{IPA|{{{1|}}}}} | {{{1|}}} }}</abbr><noinclude> {{Documentation}} </noinclude> cf77f5ea861d9814568d8162212abcbf5e14fd52 Template:Infobox country edition 10 123 240 2022-08-04T08:51:44Z w:c:eurovoice>Escgiorgio 0 wikitext text/x-wiki {{Infobox |width = 27em |above =[[The Song {{{edition|<noinclude>-</noinclude>}}}]] |aboveclass = name |abovestyle = background: {{{bgcolour|#bfdfff}}}; |headerstyle = background: {{{bgcolour|#bfdfff}}}; |label1 = Country |data1 = {{{{{country}}}}} |header2 = {{#if:{{{selection}}}{{{selection_dates}}}{{{entrant}}}{{{song}}}|National selection}} |label3 = Selection process |data3 = {{{selection}}} |label4 = Selection date(s) |data4 = {{{selection_dates|<noinclude>-</noinclude>}}} |label5 = Selected entrant |data5 = {{{entrant}}} |label6 = Selected song |data6 = {{{song}}} |label7 = {{nowrap|Selected songwriter(s)}} |data7 = {{{songwriter}}} |header8 = {{#if:{{{pqr_result}}}{{{sf_result}}}{{{final_result}}}|Finals performance}} |label9 = PQR result |data9 = {{{pqr_result|<noinclude>-</noinclude>}}} |label10 = Semi-final result |data10 = {{{semi_result|<noinclude>-</noinclude>}}} |label11 = Final result |data11 = {{{final_result|<noinclude>-</noinclude>}}} |header12 = {{#if:{{{prev}}}{{{next}}}|[[{{{country|<noinclude>-</noinclude>}}}|{{{country|<noinclude>-</noinclude>}}} in The Song]]}} |data13 = {{#if:{{{prev|}}}|[[{{{country}}} in The Song {{{prev}}}|◄ {{{prev}}}]]}} [[file:Eurovision Heart.png|15px]] {{#if:{{{next|}}}|[[{{{country}}} in The Song {{{next}}}|{{{next}}} ►]]}} }} <noinclude>{{Documentation}}</noinclude> 752b5ccf588cc9381b3574400b29aaa5383886ee Template:Albania 10 87 153 2022-09-07T09:53:58Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Albania.svg|21px|border|link=]] [[Albania]] 58126257587c1b518e739b7d12fffc39e198404e Template:Andorra 10 88 155 2022-09-07T09:54:17Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Andorra.svg|22px|border|link=]] [[Andorra]] 6985aecaace02aaff813f07653cab45438f395ca Template:Armenia 10 89 157 2022-09-07T09:54:28Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Armenia.svg|23px|border|link=]] [[Armenia]] c64c6a62e6b45de4ffb6d461afb2de17589b7d63 Template:Azerbaijan 10 90 159 2022-09-07T09:54:51Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Azerbaijan.svg|23px|border|link=]] [[Azerbaijan]] 6a05a53162a3d2028251cda9a3684d96930473a5 Template:Belarus 10 91 161 2022-09-07T09:55:10Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Belarus.svg|23px|border|link=]] [[Belarus]] 088d996d7a4d9a2fbf7c61c4c586b6ccbfc2b5d4 Template:Bosnia and Herzegovina 10 92 163 2022-09-07T10:32:28Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Bosnia and Herzegovina.svg|23px|border|link=]] [[Bosnia and Herzegovina]] 0cd37c8ab66093a880936aa5d0382f1092759146 Template:Bulgaria 10 93 165 2022-09-07T10:32:48Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Bulgaria.svg|23px|border|link=]] [[Bulgaria]] b90ed5cd5fa0fa610cbcc30243b40d45f0d00869 Template:Cyprus 10 94 167 2022-09-07T10:33:13Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Cyprus.svg|23px|border|link=]] [[Cyprus]] cac25685604252b077e003bf84abe5537dad548c Template:Georgia 10 96 171 2022-09-07T10:34:41Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Georgia.svg|23px|border|link=]] [[Georgia]] 8f8ecec833853bf1622baab8c7ffbc6364fc196a Template:Hungary 10 97 173 2022-09-07T10:35:35Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Hungary.svg|23px|border|link=]] [[Hungary]] 1ea4ed855795cf515fdc4960338dc5defc510cda Template:Latvia 10 98 175 2022-09-07T10:37:19Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Latvia.svg|23px|border|link=]] [[Latvia]] a62e17eefc07a63db57dd273a706c18251a518a6 Template:Liechtenstein 10 99 177 2022-09-07T10:37:55Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Liechtenstein.svg|23px|border|link=]] [[Liechtenstein]] fb7f090b58832cdfc0e72a72821a5d02fa0226ea Template:Lithuania 10 100 179 2022-09-07T10:38:09Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Lithuania.svg|23px|border|link=]] [[Lithuania]] 6355cc9184f61fc043876a7dc68178b91467de70 Template:Malta 10 101 181 2022-09-07T10:38:38Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Malta.svg|23px|border|link=]] [[Malta]] aba23c0f0978b370e6f2d9b5f5690c28335fe580 Template:Moldova 10 102 183 2022-09-07T10:38:51Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Moldova.svg|23px|border|link=]] [[Moldova]] 3b05af52f1b9eded42d46dbbb9a912b13491ab40 Template:Monaco 10 103 185 2022-09-07T10:39:10Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Monaco.svg|19px|border|link=]] [[Monaco]] 2acbf5dd813204b17ce2da1cff9af32469163aab Template:Montenegro 10 104 187 2022-09-07T10:39:24Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Montenegro.svg|23px|border|link=]] [[Montenegro]] f9b206801fbbb26dbdc23dd4a14ffab4571828ad Template:North Macedonia 10 105 189 2022-09-07T10:39:50Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of North Macedonia.svg|23px|border|link=]] [[North Macedonia]] ad91858c53874635fe74534938bdbfc12ae77285 Template:Romania 10 106 191 2022-09-07T10:40:45Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Romania.svg|23px|border|link=]] [[Romania]] 1f5c308f6161321167ddcefe1ac3e722f6c1e247 Template:Russia 10 107 193 2022-09-07T10:40:56Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Russia.svg|23px|border|link=]] [[Russia]] e41e8213cb2979e8fad88f9e88df2b89ff588ddf Template:San Marino 10 108 195 2022-09-07T10:41:11Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of San Marino.svg|20px|border|link=]] [[San Marino]] 72f3353052d9aded2920371c303961cf224d616b Template:Serbia 10 109 197 2022-09-07T10:41:23Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Serbia.svg|23px|border|link=]] [[Serbia]] 4e51350e84d7c3eca0b74550342446b2fcbeabe7 Template:Slovakia 10 110 199 2022-09-07T10:41:36Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Slovakia.svg|23px|border|link=]] [[Slovakia]] 16eaa94b25fa6ecf12d194b3c498e15ee42f5db6 Template:Slovenia 10 111 201 2022-09-07T10:41:49Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Slovenia.svg|23px|border|link=]] [[Slovenia]] 725faaf7a5ab0931c1eaca5a2b740365fbe8d5c5 Template:Ukraine 10 113 205 2022-09-07T10:42:48Z w:c:eurovoice>Mihai1103 0 wikitext text/x-wiki [[File:Flag of Ukraine.svg|23px|border|link=]] [[Ukraine]] dcdddd16b97f49d12d8312bccdc81013292c4250 Template:Turkey 10 112 203 2022-11-14T20:13:51Z w:c:eurovoice>Mihai1103 0 Mihai1103 moved page [[Template:Türkiye]] to [[Template:Turkey]] over redirect: revert wikitext text/x-wiki [[File:Flag of Turkey.svg|23px|border|link=]] [[Turkey]] 961253ec83371e49729f47d1bb8a4d4290ba6d88 Template:Navbox 10 115 212 2023-05-22T12:00:41Z w:c:eurovoice>Escgiorgio 0 Replaced content with "<includeonly>{{#invoke:Navbox|navbox}}</includeonly><noinclude> {{Documentation}} </noinclude>" wikitext text/x-wiki <includeonly>{{#invoke:Navbox|navbox}}</includeonly><noinclude> {{Documentation}} </noinclude> fe9b964401f895918ee4fe078678f1722a3c41ec Template:Navbox with collapsible groups 10 116 214 2023-05-22T12:02:00Z w:c:eurovoice>Escgiorgio 0 Replaced content with "{{#invoke:Navbox with collapsible groups|navbox}}<noinclude> {{documentation}} </noinclude>" wikitext text/x-wiki {{#invoke:Navbox with collapsible groups|navbox}}<noinclude> {{documentation}} </noinclude> a44295b44aa63f852f43d5a21b90ff395fbfcf4e Module:Navbox with collapsible groups 828 127 248 2023-05-22T12:02:40Z w:c:eurovoice>Escgiorgio 0 Created page with "-- This module implements {{Navbox with collapsible groups}} local q = {} local Navbox = require('Module:Navbox') -- helper functions local function concatstrings(s) local r = table.concat(s, '') if r:match('^%s*$') then r = nil end return r end local function concatstyles(s) local r = table.concat(s, ';') while r:match(';%s*;') do r = mw.ustring.gsub(r, ';%s*;', ';') end if r:match('^%s*;%s*$') then r = nil end return r end function q._navbox(pargs) -- tab..." Scribunto text/plain -- This module implements {{Navbox with collapsible groups}} local q = {} local Navbox = require('Module:Navbox') -- helper functions local function concatstrings(s) local r = table.concat(s, '') if r:match('^%s*$') then r = nil end return r end local function concatstyles(s) local r = table.concat(s, ';') while r:match(';%s*;') do r = mw.ustring.gsub(r, ';%s*;', ';') end if r:match('^%s*;%s*$') then r = nil end return r end function q._navbox(pargs) -- table for args passed to navbox local targs = {} -- process args local passthrough = { ['name']=true,['navbar']=true,['state']=true,['border']=true, ['bodyclass']=true,['groupclass']=true,['listclass']=true, ['style']=true,['bodystyle']=true,['basestyle']=true, ['title']=true,['titleclass']=true,['titlestyle']=true, ['above']=true,['aboveclass']=true,['abovestyle']=true, ['below']=true,['belowclass']=true,['belowstyle']=true, ['image']=true,['imageclass']=true,['imagestyle']=true, ['imageleft']=true,['imageleftstyle']=true } for k,v in pairs(pargs) do if k and type(k) == 'string' then if passthrough[k] then targs[k] = v elseif (k:match('^list[0-9][0-9]*$') or k:match('^content[0-9][0-9]*$') ) then local n = mw.ustring.gsub(k, '^[a-z]*([0-9]*)$', '%1') if (targs['list' .. n] == nil and pargs['group' .. n] == nil and pargs['sect' .. n] == nil and pargs['section' .. n] == nil) then targs['list' .. n] = concatstrings( {pargs['list' .. n] or '', pargs['content' .. n] or ''}) end elseif (k:match('^group[0-9][0-9]*$') or k:match('^sect[0-9][0-9]*$') or k:match('^section[0-9][0-9]*$') ) then local n = mw.ustring.gsub(k, '^[a-z]*([0-9]*)$', '%1') if targs['list' .. n] == nil then local titlestyle = concatstyles( {pargs['groupstyle'] or '',pargs['secttitlestyle'] or '', pargs['group' .. n .. 'style'] or '', pargs['section' .. n ..'titlestyle'] or ''}) local liststyle = concatstyles( {pargs['liststyle'] or '', pargs['contentstyle'] or '', pargs['list' .. n .. 'style'] or '', pargs['content' .. n .. 'style'] or ''}) local title = concatstrings( {pargs['group' .. n] or '', pargs['sect' .. n] or '', pargs['section' .. n] or ''}) local list = concatstrings( {pargs['list' .. n] or '', pargs['content' .. n] or ''}) local state = (pargs['abbr' .. n] and pargs['abbr' .. n] == pargs['selected']) and 'uncollapsed' or pargs['state' .. n] or 'collapsed' targs['list' .. n] = Navbox._navbox( {'child', navbar = 'plain', state = state, basestyle = pargs['basestyle'], title = title, titlestyle = titlestyle, list1 = list, liststyle = liststyle, listclass = pargs['list' .. n .. 'class'], image = pargs['image' .. n], imageleft = pargs['imageleft' .. n], listpadding = pargs['listpadding']}) end end end end -- ordering of style and bodystyle targs['style'] = concatstyles({targs['style'] or '', targs['bodystyle'] or ''}) targs['bodystyle'] = nil -- child or subgroup if targs['border'] == nil then targs['border'] = pargs[1] end return Navbox._navbox(targs) end function q.navbox(frame) local pargs = require('Module:Arguments').getArgs(frame, {wrappers = {'Template:Navbox with collapsible groups'}}) -- Read the arguments in the order they'll be output in, to make references number in the right order. local _ _ = pargs.title _ = pargs.above for i = 1, 20 do _ = pargs["group" .. tostring(i)] _ = pargs["list" .. tostring(i)] end _ = pargs.below return q._navbox(pargs) end return q 2864676f591b877887a32d4052e2f3a2c90c8d97 Module:Navbar 828 125 244 2023-05-22T12:03:49Z w:c:eurovoice>Escgiorgio 0 Scribunto text/plain local p = {} local cfg = mw.loadData('Module:Navbar/configuration') local function get_title_arg(is_collapsible, template) local title_arg = 1 if is_collapsible then title_arg = 2 end if template then title_arg = 'template' end return title_arg end local function choose_links(template, args) -- The show table indicates the default displayed items. -- view, talk, edit, hist, move, watch -- TODO: Move to configuration. local show = {true, true, true, false, false, false} if template then show[2] = false show[3] = false local index = {t = 2, d = 2, e = 3, h = 4, m = 5, w = 6, talk = 2, edit = 3, hist = 4, move = 5, watch = 6} -- TODO: Consider removing TableTools dependency. for _, v in ipairs(require ('Module:TableTools').compressSparseArray(args)) do local num = index[v] if num then show[num] = true end end end local remove_edit_link = args.noedit if remove_edit_link then show[3] = false end return show end local function add_link(link_description, ul, is_mini, font_style) local l if link_description.url then l = {'[', '', ']'} else l = {'[[', '|', ']]'} end ul:tag('li') :addClass('nv-' .. link_description.full) :wikitext(l[1] .. link_description.link .. l[2]) :tag(is_mini and 'abbr' or 'span') :attr('title', link_description.html_title) :cssText(font_style) :wikitext(is_mini and link_description.mini or link_description.full) :done() :wikitext(l[3]) :done() end local function make_list(title_text, has_brackets, displayed_links, is_mini, font_style) local title = mw.title.new(mw.text.trim(title_text), cfg.title_namespace) if not title then error(cfg.invalid_title .. title_text) end local talkpage = title.talkPageTitle and title.talkPageTitle.fullText or '' -- TODO: Get link_descriptions and show into the configuration module. -- link_descriptions should be easier... local link_descriptions = { { ['mini'] = 'v', ['full'] = 'view', ['html_title'] = 'View this template', ['link'] = title.fullText, ['url'] = false }, { ['mini'] = 't', ['full'] = 'talk', ['html_title'] = 'Discuss this template', ['link'] = talkpage, ['url'] = false }, { ['mini'] = 'e', ['full'] = 'edit', ['html_title'] = 'Edit this template', ['link'] = title:fullUrl('action=edit'), ['url'] = true }, { ['mini'] = 'h', ['full'] = 'hist', ['html_title'] = 'History of this template', ['link'] = title:fullUrl('action=history'), ['url'] = true }, { ['mini'] = 'm', ['full'] = 'move', ['html_title'] = 'Move this template', ['link'] = mw.title.new('Special:Movepage'):fullUrl('target='..title.fullText), ['url'] = true }, { ['mini'] = 'w', ['full'] = 'watch', ['html_title'] = 'Watch this template', ['link'] = title:fullUrl('action=watch'), ['url'] = true } } local ul = mw.html.create('ul') if has_brackets then ul:addClass(cfg.classes.brackets) :cssText(font_style) end for i, _ in ipairs(displayed_links) do if displayed_links[i] then add_link(link_descriptions[i], ul, is_mini, font_style) end end return ul:done() end function p._navbar(args) -- TODO: We probably don't need both fontstyle and fontcolor... local font_style = args.fontstyle local font_color = args.fontcolor local is_collapsible = args.collapsible local is_mini = args.mini local is_plain = args.plain local collapsible_class = nil if is_collapsible then collapsible_class = cfg.classes.collapsible if not is_plain then is_mini = 1 end if font_color then font_style = (font_style or '') .. '; color: ' .. font_color .. ';' end end local navbar_style = args.style local div = mw.html.create():tag('div') div :addClass(cfg.classes.navbar) :addClass(cfg.classes.plainlinks) :addClass(cfg.classes.horizontal_list) :addClass(collapsible_class) -- we made the determination earlier :cssText(navbar_style) if is_mini then div:addClass(cfg.classes.mini) end local box_text = (args.text or cfg.box_text) .. ' ' -- the concatenated space guarantees the box text is separated if not (is_mini or is_plain) then div :tag('span') :addClass(cfg.classes.box_text) :cssText(font_style) :wikitext(box_text) end local template = args.template local displayed_links = choose_links(template, args) local has_brackets = args.brackets local title_arg = get_title_arg(is_collapsible, template) local title_text = args[title_arg] or (':' .. mw.getCurrentFrame():getParent():getTitle()) local list = make_list(title_text, has_brackets, displayed_links, is_mini, font_style) div:node(list) if is_collapsible then local title_text_class if is_mini then title_text_class = cfg.classes.collapsible_title_mini else title_text_class = cfg.classes.collapsible_title_full end div:done() :tag('div') :addClass(title_text_class) :cssText(font_style) :wikitext(args[1]) end return mw.getCurrentFrame():extensionTag{ name = 'templatestyles', args = { src = cfg.templatestyles } } .. tostring(div:done()) end function p.navbar(frame) return p._navbar(require('Module:Arguments').getArgs(frame)) end return p a5c8d3a8f8beb18984ea7f145ddbdf88a065d23e Module:Navbar/configuration 828 128 250 2023-05-22T12:05:44Z w:c:eurovoice>Escgiorgio 0 Created page with "return { ['templatestyles'] = 'Module:Navbar/styles.css', ['box_text'] = 'This box: ', -- default text box when not plain or mini ['title_namespace'] = 'Template', -- namespace to default to for title ['invalid_title'] = 'Invalid title ', ['classes'] = { -- set a line to nil if you don't want it ['navbar'] = 'navbar', ['plainlinks'] = 'plainlinks', -- plainlinks ['horizontal_list'] = 'hlist', -- horizontal list class ['mini'] = 'navbar-mini', -- class ind..." Scribunto text/plain return { ['templatestyles'] = 'Module:Navbar/styles.css', ['box_text'] = 'This box: ', -- default text box when not plain or mini ['title_namespace'] = 'Template', -- namespace to default to for title ['invalid_title'] = 'Invalid title ', ['classes'] = { -- set a line to nil if you don't want it ['navbar'] = 'navbar', ['plainlinks'] = 'plainlinks', -- plainlinks ['horizontal_list'] = 'hlist', -- horizontal list class ['mini'] = 'navbar-mini', -- class indicating small links in the navbar ['this_box'] = 'navbar-boxtext', ['brackets'] = 'navbar-brackets', -- 'collapsible' is the key for a class to indicate the navbar is -- setting up the collapsible element in addition to the normal -- navbar. ['collapsible'] = 'navbar-collapse', ['collapsible_title_mini'] = 'navbar-ct-mini', ['collapsible_title_full'] = 'navbar-ct-full' } } bbf3d86b48a5b40835e8e232ae9821e6bca390ec Module:Navbar/styles.css 828 129 252 2023-05-22T12:07:33Z w:c:eurovoice>Escgiorgio 0 Created page with "/* {{pp|small=yes}} */ .navbar { display: inline; font-size: 88%; font-weight: normal; } .navbar-collapse { float: left; text-align: left; } .navbar-boxtext { word-spacing: 0; } .navbar ul { display: inline-block; white-space: nowrap; line-height: inherit; } .navbar-brackets::before { margin-right: -0.125em; content: '[ '; } .navbar-brackets::after { margin-left: -0.125em; content: ' ]'; } .navbar li { word-spacing: -0.125em; } .navbar a > span, .nav..." sanitized-css text/css /* {{pp|small=yes}} */ .navbar { display: inline; font-size: 88%; font-weight: normal; } .navbar-collapse { float: left; text-align: left; } .navbar-boxtext { word-spacing: 0; } .navbar ul { display: inline-block; white-space: nowrap; line-height: inherit; } .navbar-brackets::before { margin-right: -0.125em; content: '[ '; } .navbar-brackets::after { margin-left: -0.125em; content: ' ]'; } .navbar li { word-spacing: -0.125em; } .navbar a > span, .navbar a > abbr { text-decoration: inherit; } .navbar-mini abbr { font-variant: small-caps; border-bottom: none; text-decoration: none; cursor: inherit; } .navbar-ct-full { font-size: 114%; margin: 0 7em; } .navbar-ct-mini { font-size: 114%; margin: 0 4em; } /* Navbar styling when nested in infobox and navbox Should consider having a separate TemplateStyles for those specific places using an infobox/navbox and a navbar, or possibly override from using template */ .infobox .navbar { font-size: 100%; } .navbox .navbar { display: block; font-size: 100%; } .navbox-title .navbar { /* @noflip */ float: left; /* @noflip */ text-align: left; /* @noflip */ margin-right: 0.5em; } 8fac6fe5b897a77784d8a19001d46b0cc3765673 Module:Navbox 828 126 246 2023-05-31T14:23:50Z w:c:eurovoice>Escgiorgio 0 Scribunto text/plain -- -- This module implements {{Navbox}} -- local p = {} local navbar = require('Module:Navbar')._navbar local getArgs -- lazily initialized local args local border local listnums local ODD_EVEN_MARKER = '\127_ODDEVEN_\127' local RESTART_MARKER = '\127_ODDEVEN0_\127' local REGEX_MARKER = '\127_ODDEVEN(%d?)_\127' local function striped(wikitext) -- Return wikitext with markers replaced for odd/even striping. -- Child (subgroup) navboxes are flagged with a category that is removed -- by parent navboxes. The result is that the category shows all pages -- where a child navbox is not contained in a parent navbox. local orphanCat = '[[Category:Navbox orphans]]' if border == 'subgroup' and args.orphan ~= 'yes' then -- No change; striping occurs in outermost navbox. return wikitext .. orphanCat end local first, second = 'odd', 'even' if args.evenodd then if args.evenodd == 'swap' then first, second = second, first else first = args.evenodd second = first end end local changer if first == second then changer = first else local index = 0 changer = function (code) if code == '0' then -- Current occurrence is for a group before a nested table. -- Set it to first as a valid although pointless class. -- The next occurrence will be the first row after a title -- in a subgroup and will also be first. index = 0 return first end index = index + 1 return index % 2 == 1 and first or second end end local regex = orphanCat:gsub('([%[%]])', '%%%1') return (wikitext:gsub(regex, ''):gsub(REGEX_MARKER, changer)) -- () omits gsub count end local function processItem(item, nowrapitems) if item:sub(1, 2) == '{|' then -- Applying nowrap to lines in a table does not make sense. -- Add newlines to compensate for trim of x in |parm=x in a template. return '\n' .. item ..'\n' end if nowrapitems == 'yes' then local lines = {} for line in (item .. '\n'):gmatch('([^\n]*)\n') do local prefix, content = line:match('^([*:;#]+)%s*(.*)') if prefix and not content:match('^<span class="nowrap">') then line = prefix .. '<span class="nowrap">' .. content .. '</span>' end table.insert(lines, line) end item = table.concat(lines, '\n') end if item:match('^[*:;#]') then return '\n' .. item ..'\n' end return item end local function renderNavBar(titleCell) if args.navbar ~= 'off' and args.navbar ~= 'plain' and not (not args.name and mw.getCurrentFrame():getParent():getTitle():gsub('/sandbox$', '') == 'Template:Navbox') then titleCell:wikitext(navbar{ args.name, mini = 1, fontstyle = (args.basestyle or '') .. ';' .. (args.titlestyle or '') .. ';background:none transparent;border:none;box-shadow:none;padding:0;' }) end end -- -- Title row -- local function renderTitleRow(tbl) if not args.title then return end local titleRow = tbl:tag('tr') if args.titlegroup then titleRow :tag('th') :attr('scope', 'row') :addClass('navbox-group') :addClass(args.titlegroupclass) :cssText(args.basestyle) :cssText(args.groupstyle) :cssText(args.titlegroupstyle) :wikitext(args.titlegroup) end local titleCell = titleRow:tag('th'):attr('scope', 'col') if args.titlegroup then titleCell :css('border-left', '2px solid #fdfdfd') :css('width', '100%') end local titleColspan = 2 if args.imageleft then titleColspan = titleColspan + 1 end if args.image then titleColspan = titleColspan + 1 end if args.titlegroup then titleColspan = titleColspan - 1 end titleCell :cssText(args.basestyle) :cssText(args.titlestyle) :addClass('navbox-title') :attr('colspan', titleColspan) renderNavBar(titleCell) titleCell :tag('div') -- id for aria-labelledby attribute :attr('id', mw.uri.anchorEncode(args.title)) :addClass(args.titleclass) :css('font-size', '114%') :css('margin', '0 4em') :wikitext(processItem(args.title)) end -- -- Above/Below rows -- local function getAboveBelowColspan() local ret = 2 if args.imageleft then ret = ret + 1 end if args.image then ret = ret + 1 end return ret end local function renderAboveRow(tbl) if not args.above then return end tbl:tag('tr') :tag('td') :addClass('navbox-abovebelow') :addClass(args.aboveclass) :cssText(args.basestyle) :cssText(args.abovestyle) :attr('colspan', getAboveBelowColspan()) :tag('div') -- id for aria-labelledby attribute, if no title :attr('id', args.title and nil or mw.uri.anchorEncode(args.above)) :wikitext(processItem(args.above, args.nowrapitems)) end local function renderBelowRow(tbl) if not args.below then return end tbl:tag('tr') :tag('td') :addClass('navbox-abovebelow') :addClass(args.belowclass) :cssText(args.basestyle) :cssText(args.belowstyle) :attr('colspan', getAboveBelowColspan()) :tag('div') :wikitext(processItem(args.below, args.nowrapitems)) end -- -- List rows -- local function renderListRow(tbl, index, listnum) local row = tbl:tag('tr') if index == 1 and args.imageleft then row :tag('td') :addClass('noviewer') :addClass('navbox-image') :addClass(args.imageclass) :css('width', '1px') -- Minimize width :css('padding', '0px 2px 0px 0px') :cssText(args.imageleftstyle) :attr('rowspan', #listnums) :tag('div') :wikitext(processItem(args.imageleft)) end if args['group' .. listnum] then local groupCell = row:tag('th') -- id for aria-labelledby attribute, if lone group with no title or above if listnum == 1 and not (args.title or args.above or args.group2) then groupCell :attr('id', mw.uri.anchorEncode(args.group1)) end groupCell :attr('scope', 'row') :addClass('navbox-group') :addClass(args.groupclass) :cssText(args.basestyle) :css('width', args.groupwidth or '1%') -- If groupwidth not specified, minimize width groupCell :cssText(args.groupstyle) :cssText(args['group' .. listnum .. 'style']) :wikitext(args['group' .. listnum]) end local listCell = row:tag('td') if args['group' .. listnum] then listCell :css('text-align', 'left') :css('border-left-width', '2px') :css('border-left-style', 'solid') else listCell:attr('colspan', 2) end if not args.groupwidth then listCell:css('width', '100%') end local rowstyle -- usually nil so cssText(rowstyle) usually adds nothing if index % 2 == 1 then rowstyle = args.oddstyle else rowstyle = args.evenstyle end local listText = args['list' .. listnum] local oddEven = ODD_EVEN_MARKER if listText:sub(1, 12) == '</div><table' then -- Assume list text is for a subgroup navbox so no automatic striping for this row. oddEven = listText:find('<th[^>]*"navbox%-title"') and RESTART_MARKER or 'odd' end listCell :css('padding', '0px') :cssText(args.liststyle) :cssText(rowstyle) :cssText(args['list' .. listnum .. 'style']) :addClass('navbox-list') :addClass('navbox-' .. oddEven) :addClass(args.listclass) :addClass(args['list' .. listnum .. 'class']) :tag('div') :css('padding', (index == 1 and args.list1padding) or args.listpadding or '0em 0.25em') :wikitext(processItem(listText, args.nowrapitems)) if index == 1 and args.image then row :tag('td') :addClass('noviewer') :addClass('navbox-image') :addClass(args.imageclass) :css('width', '1px') -- Minimize width :css('padding', '0px 0px 0px 2px') :cssText(args.imagestyle) :attr('rowspan', #listnums) :tag('div') :wikitext(processItem(args.image)) end end -- -- Tracking categories -- local function needsHorizontalLists() if border == 'subgroup' or args.tracking == 'no' then return false end local listClasses = { ['plainlist'] = true, ['hlist'] = true, ['hlist hnum'] = true, ['hlist hwrap'] = true, ['hlist vcard'] = true, ['vcard hlist'] = true, ['hlist vevent'] = true, } return not (listClasses[args.listclass] or listClasses[args.bodyclass]) end local function hasBackgroundColors() for _, key in ipairs({'titlestyle', 'groupstyle', 'basestyle', 'abovestyle', 'belowstyle'}) do if tostring(args[key]):find('background', 1, true) then return true end end end local function hasBorders() for _, key in ipairs({'groupstyle', 'basestyle', 'abovestyle', 'belowstyle'}) do if tostring(args[key]):find('border', 1, true) then return true end end end local function isIllegible() local styleratio = require('Module:Color contrast')._styleratio for key, style in pairs(args) do if tostring(key):match("style$") then if styleratio{mw.text.unstripNoWiki(style)} < 4.5 then return true end end end return false end local function getTrackingCategories() local cats = {} if needsHorizontalLists() then table.insert(cats, 'Navigational boxes without horizontal lists') end if hasBackgroundColors() then table.insert(cats, 'Navboxes using background colours') end if isIllegible() then table.insert(cats, 'Potentially illegible navboxes') end if hasBorders() then table.insert(cats, 'Navboxes using borders') end return cats end local function renderTrackingCategories(builder) local title = mw.title.getCurrentTitle() if title.namespace ~= 10 then return end -- not in template space local subpage = title.subpageText if subpage == 'doc' or subpage == 'sandbox' or subpage == 'testcases' then return end for _, cat in ipairs(getTrackingCategories()) do builder:wikitext('[[Category:' .. cat .. ']]') end end -- -- Main navbox tables -- local function renderMainTable() local tbl = mw.html.create('table') :addClass('nowraplinks') :addClass(args.bodyclass) if args.title and (args.state ~= 'plain' and args.state ~= 'off') then if args.state == 'collapsed' then args.state = 'mw-collapsed' end tbl :addClass('mw-collapsible') :addClass(args.state or 'autocollapse') end tbl:css('border-spacing', 0) if border == 'subgroup' or border == 'none' then tbl :addClass('navbox-subgroup') :cssText(args.bodystyle) :cssText(args.style) else -- regular navbox - bodystyle and style will be applied to the wrapper table tbl :addClass('navbox-inner') :css('background', 'transparent') :css('color', 'inherit') end tbl:cssText(args.innerstyle) renderTitleRow(tbl) renderAboveRow(tbl) for i, listnum in ipairs(listnums) do renderListRow(tbl, i, listnum) end renderBelowRow(tbl) return tbl end function p._navbox(navboxArgs) args = navboxArgs listnums = {} for k, _ in pairs(args) do if type(k) == 'string' then local listnum = k:match('^list(%d+)$') if listnum then table.insert(listnums, tonumber(listnum)) end end end table.sort(listnums) border = mw.text.trim(args.border or args[1] or '') if border == 'child' then border = 'subgroup' end -- render the main body of the navbox local tbl = renderMainTable() -- render the appropriate wrapper around the navbox, depending on the border param local res = mw.html.create() if border == 'none' then local nav = res:tag('div') :attr('role', 'navigation') :node(tbl) -- aria-labelledby title, otherwise above, otherwise lone group if args.title or args.above or (args.group1 and not args.group2) then nav:attr('aria-labelledby', mw.uri.anchorEncode(args.title or args.above or args.group1)) else nav:attr('aria-label', 'Navbox') end elseif border == 'subgroup' then -- We assume that this navbox is being rendered in a list cell of a parent navbox, and is -- therefore inside a div with padding:0em 0.25em. We start with a </div> to avoid the -- padding being applied, and at the end add a <div> to balance out the parent's </div> res :wikitext('</div>') :node(tbl) :wikitext('<div>') else local nav = res:tag('div') :attr('role', 'navigation') :addClass('navbox') :addClass(args.navboxclass) :cssText(args.bodystyle) :cssText(args.style) :css('padding', '3px') :node(tbl) -- aria-labelledby title, otherwise above, otherwise lone group if args.title or args.above or (args.group1 and not args.group2) then nav:attr('aria-labelledby', mw.uri.anchorEncode(args.title or args.above or args.group1)) else nav:attr('aria-label', 'Navbox') end end if (args.nocat or 'false'):lower() == 'false' then renderTrackingCategories(res) end return striped(tostring(res)) end function p.navbox(frame) if not getArgs then getArgs = require('Module:Arguments').getArgs end args = getArgs(frame, {wrappers = {'Template:Navbox'}}) -- Read the arguments in the order they'll be output in, to make references number in the right order. local _ _ = args.title _ = args.above for i = 1, 20 do _ = args["group" .. tostring(i)] _ = args["list" .. tostring(i)] end _ = args.below return p._navbox(args) end return p 2cf7f5642ab6c9fef529f7213094109a34f505c1 Estonia in The Song 9 0 114 210 2023-12-03T02:59:53Z w:c:eurovoice>Escgiorgio 0 wikitext text/x-wiki {{Infobox country edition | country = Estonia | edition = 9 | selection = Üldine Naita Nime | selection_dates = 14 October 2023 | entrant = [[Marcara]] and [[Siimi]] | song = "[[Zim Zimma]]" | songwriter = Mark.Henri Mollits | pqr_result =''Qualified'' (2nd, 228 points) | semi_result =''Qualified'' (5th, 172 points) | final_result =4th, 171 points | prev =8 | next =10 }} [[Estonia]] participated in [[The Song 9]] in [[Wikipedia:Paris|Paris]], France with the song "[[Zim Zimma]]", performed by [[Marcara]] and [[Siimi]] and written by Mark.Henri Mollits. Due to their poor performance in [[The Song 8]], Estonia was relegated to the [[Pre-Qualification Round 9|Pre-Qualification Round]] for the ninth edition of the contest. ==Participation== On October 9 2023, the Estonian broadcaster, EER, announced that they would be holding a national final to select their entry. The five competing songs were revealed on the same day. Fenkii, who had previously participated in Estonian [[Estonia in The Song 7|national selection]] for [[The Song 7]], placing fourth, returned to compete once again. ===Üldine Naita Nime=== The winners were [[Marcara]] and [[Siimi]] with "[[Zim Zimma]]". Fenkii and Põhja Korea, who placed second, will compete in [[The Song Second Chance 9]] with "Bangkok". {{Legend|gold|Winner}} {{Legend|paleturquoise|The Song Second Chance}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final - 14 October 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:gold;" | style="text-align:center;" |01 |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" |171 | style="text-align:center;" |1 |- | style="text-align:center;" |02 |Meelik |"Hiilin" | style="text-align:center;" |111 | style="text-align:center;" |5 |- | style="text-align:center;" |03 |Manna |"Evil Thoughts" | style="text-align:center;" |125 | style="text-align:center;" |4 |-bgcolor="paleturquoise" | style="text-align:center;" |04 |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" |171 | style="text-align:center;" |2 |- | style="text-align:center;" |05 |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" |142 | style="text-align:center;" |3 |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> ddeeefb3727fe5b3509ae2e1572126509c5c2546 Template:The Song 9 10 130 254 2023-12-09T03:25:45Z w:c:eurovoice>Lemoncordiale 0 wikitext text/x-wiki {{Navbox with collapsible groups | name = The Song 9 | title =<small>{{Escyr|8}}</small> ← [[The Song 9]] → <small>{{Escyr|10}}</small> | state = {{{state|uncollapsed}}} | selected = {{{1|}}} | bodyclass = hlist | group1 = Countries | abbr1 = countries | list1 = {{Navbox|child | group1 = Finalists<br />(by final results) | list1 = {{Countrylink|Armenia|y=9}} {{small|(winner)}} * {{Countrylink|Italy|y=9}} * {{Countrylink|Türkiye|y=9}} * {{Countrylink|Estonia|y=9}} * {{Countrylink|Australia}} * {{Countrylink|Slovenia}} * {{Countrylink|Finland|y=9}} * {{Countrylink|Russia}} * {{Countrylink|Sweden|y=9}} * {{Countrylink|Ireland}} * {{Countrylink|Poland|y=9}} * {{Countrylink|Cyprus}} * {{Countrylink|Bosnia and Herzegovina}} * {{Countrylink|Ukraine}} * {{Countrylink|Serbia|y=9}} * {{Countrylink|Kosovo|y=9}} * {{Countrylink|United Kingdom|y=9}} * {{Countrylink|Denmark|y=9}} * {{Countrylink|Bulgaria}} * {{Countrylink|France}} * {{Countrylink|Spain}} * {{Countrylink|Croatia|y=9}} * {{Countrylink|Norway|y=9}} * {{Countrylink|Germany|y=9}} * {{Countrylink|Switzerland|y=9}} * {{Countrylink|Greece|y=9}} | group2 = Semi-final 1<br />(alphabetical order) | list2 = * {{Countrylink|Andorra|y=9}} * {{Countrylink|Belgium|y=9}} * {{Countrylink|Czechia}} * {{Countrylink|Egypt}} * {{Countrylink|Israel}} * {{Countrylink|Lithuania|y=9}} * {{Countrylink|Malta}} * {{Countrylink|Netherlands|y=9}} * {{Countrylink|Portugal|y=9}} * {{Countrylink|San Marino|y=9}} | group3 = Semi-final 2<br />(alphabetical order) | list3 = * {{Countrylink|Algeria|y=9}} * {{Countrylink|Austria|y=9}} * {{Countrylink|Azerbaijan}} * {{Countrylink|Belarus}} * {{Countrylink|Georgia}} * {{Countrylink|Iceland|y=9}} * {{Countrylink|Kazakhstan|y=9}} * {{Countrylink|Latvia|y=9}} * {{Countrylink|Luxembourg|y=9}} * {{Countrylink|Morocco|y=9}} | group4 = P.Q.R.<br />(alphabetical order) | list4 = * {{Countrylink|Albania}} * {{Countrylink|Hungary}} * {{Countrylink|Lebanon|y=9}} * {{Countrylink|Moldova|y=9}} * {{Countrylink|Monaco}} * {{Countrylink|Montenegro}} * {{Countrylink|North Macedonia|y=9}} * {{Countrylink|Romania}} * {{Countrylink|Slovakia|y=9}} * {{Countrylink|Tunisia|y=9}} }} | group2 = Artists | abbr2 = artists | list2 = {{Navbox|child | group1 = Finalists<br />(by final results) | list1 = * [[Solann]] * [[Wax]] * [[Melis Fis]] * [[Marcara]] and [[Siimi]] * [[Cowboy Malfoy]] * [[Jelena Karleuša]] * [[Poshlaya Molly]] {{Abbr|feat.|featuring}} [[Katerina]] * [[SVEA]] * [[Bambie Thug]] * [[Kukon]] * [[LeeA]] * [[Džejla Ramović]] {{Abbr|feat.|featuring}} [[Henny]] * [[Positiff]] * [[Zera]] * [[Alba Kras]], [[Tony T]] and [[DJ Combo]] * [[Girli]] * [[Saint Clara]] * [[Djordan]] * [[Diva Faune]] and [[Emma Hoet]] * [[The Parrots]] * [[Grše]] * [[Stig Brenner]] and [[Newkid]] * [[Clide]] * [[Klischée]] * [[Stlk]] | group2 = Semi-final 1<br />(alphabetical order) | list2 = * [[Bazart]] * [[Beea]] * [[Fulminacci]] * [[Hard Driver]] and [[Adjuzt]] * [[King Vagabond]] and [[Corvyx]] * [[Neomak]] * [[P/\ST]] {{Abbr|feat.|featuring}} [[Gambrz Reprs]] and [[Sebe]] * [[Paulina Paukštaitytė]] * [[Relikc]] * [[Zak Abel]] | group3 = Semi-final 2<br />(alphabetical order) | list3 = * [[Amber Creek]] * [[Angel Cara]] and [[CHAiLD]] * [[Ashafar]], [[RAF Camora]] and [[Elai]] * [[BRÍET]] * [[Drozdy]] * [[Elvin Babazadə]] * [[Julian Guba]] * [[Lyna Mahyem]] * [[Quemmekh]] * [[RaiM]] | group4 = P.Q.R.<br />(alphabetical order) | list4 = * [[Albania|Alban Skenderaj]] and [[Albania|Ada]] * [[Moldova|Anna Lesko]] and [[Moldova|Gim]] * [[Romania|Annais]] and [[Romania|DJ Project]] * [[Lebanon|Blu Fiefer]] * [[Montenegro|David Dreshaj]] * [[Monaco|Izïa]] * [[Tunisia|Mayfly]] * [[Hungary|Mihályfi Luca]] and [[Hungary|Ekhoe]] * [[Slovakia|Sima]] * [[North Macedonia|Thea Trajkovska]] }} | group3 = Songs | abbr3 = songs | list3 = {{Navbox|child | group1 = Final<br />(by final results) | list1 = * "[[Petit corps]]" * "[[Colori]]" * "[[Kendini kandır]]" * "[[Zim Zimma]]" * "[[How I'd Kill]]" * "[[Alien]]" * "[[Kuka itkee nyt]]" * "[[Mishka]]" * "[[Dead Man Walking]]" * "[[Tsunami (11:11)]]" * "[[Matrioszki]]" * "[[Get Out My Way]]" * "[[Rizik]]" * "[[Spalahi]]" * "[[Iz subote u petak]]" * "[[Ju do ta shiheni]]" * "[[I Really F**ked It Up]]" * "[[Girl Like You]]" * "[[K'uv sum qk]]" * "[[The Club Will Get You]]" * "[[You Work All Day and Then You Die]]" * "[[Mamma mia]]" * "[[Bare mellom oss]]" * "[[Nicotine]]" * "[[So Good]]" * "[[See You Dance]]" | group2 = Semi-final 1<br />(alphabetical order) | list2 = * "[[Bučiuok]]" * "[[Dopamine]]" * "[[Fivuza Market]]" * "[[Grip (Omarm me)]]" * "[[Ilargi berriak]]" * "[[Nightmare (King Vagabond song)|Nightmare]]" * "[[No Fears]]" * "[[Tutto inutile]]" * "[[What Love Is]]" * "[[Would You Ever]]" | group3 = Semi-final 2<br />(alphabetical order) | list3 = * "[[Biri]]" * "[[Defibrillation]]" * "[[Hann er ekki þú]]" * "[[Kiss Me While U Can]]" * "[[Kolikpen]]" * "[[Loser Like You]]" * "[[Mal de toi]]" * "[[Poison (Amber Creek song)|Poison]]" * "[[Tiki taka]]" * "[[Zorki]]" | group4 = P.Q.R.<br />(alphabetical order) | list4 = * "[[Albania|Ama]]" * "[[Monaco|Etoile noire]]" * "[[Moldova|Guleala]]" * "[[Montenegro|I Believe]]" * "[[Slovakia|Ja]]" * "[[North Macedonia|Mnogu baram]]" * "[[Lebanon|Nazele Big Champagne]]" * "[[Romania|Numai tu]]" * "[[Tunisia|Passenger Seat]]" * "[[Hungary|Villám]]" }} }}<noinclude> {{documentation | content = {{collapsible option}} {{Collapsible sections option | list = {{hlist| countries | artists }} | example = countries }} 5d52dbf44a2641daff9b36afc5fe2a5dd38411fc Template:Estonia in The Song 10 124 242 2023-12-14T11:55:24Z w:c:eurovoice>Rikill 0 wikitext text/x-wiki {{Navbox |name = Estonia in The Song |title = {{flagicon|Estonia}} [[Estonia|Estonia in The Song]] |listclass = hlist |state = {{{state|autocollapse}}} |nowrapitems = yes |group1 = Participation |list1 = * [[Estonia in The Song 1|#01]] * [[The Song 2|#02]] * [[Estonia in The Song 3|#03]] * [[Estonia in The Song 4|#04]] * [[Estonia in The Song 5|#05]] * [[Estonia in The Song 6|#06]] * [[Estonia in The Song 7|#07]] * [[Estonia in The Song 8|#08]] * [[Estonia in The Song 9|#09]] * [[The Song 10|#10]] |group2 = Artists |list2 = * Traffic * [[Shanon]] * [[Púr Múdd]] * [[Maian]] * [[Ariadne]] * [[NOËP]] * [[Jaagup Tuisk]] * [[Cartoon]], [[Time To Talk]] and [[Asena]] * [[Marcara]] and [[Siimi]] * [[Zack Grey]] |group3 = Songs |list3 = * "Vead" * "[[Paar tundi veel]]" * "[[Ooh Aah]]" * "[[Palava pudru]]" * "[[Hands Tied (Ariadne song)|Hands Tied]]" * "[[Setting Things on Fire]]" * "[[Las mängib ta]]" * "[[Omen]]" * "[[Zim Zimma]]" * "[[Off the Edge]]" }}<noinclude>{{collapsible option}} [[Category:The Song by country templates]] </noinclude> a816d8268a23b8d80220662dc580fcbdc82a16e1 Main Page 0 1 1 2024-01-22T01:33:00Z MediaWiki default 1 Welcome to Miraheze! wikitext text/x-wiki __NOTOC__ == Welcome to {{SITENAME}}! == This Main Page was created automatically and it seems it hasn't been replaced yet. === For the bureaucrat(s) of this wiki === Hello, and welcome to your new wiki! Thank you for choosing Miraheze for the hosting of your wiki, we hope you will enjoy our hosting. You can immediately start working on your wiki or whenever you want. Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links: * [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users) * [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]] * [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.) ==== I still don't understand X! ==== Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here: * [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]] * On [[phab:|Phabricator]] * On [https://miraheze.org/discord Discord] * On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat]) === For visitors of this wiki === Hello, the default Main Page of this wiki (this page) has not yet been replaced by the bureaucrat(s) of this wiki. The bureaucrat(s) might still be working on a Main Page, so please check again later! 21236ac3f8d65e5563b6da6b70815ca6bf1e6616 4 1 2024-01-22T03:40:44Z Globalvision 2 wikitext text/x-wiki {{infobox | above = Eurovoice Song Contest | abovestyle = background-color: #ccccff | subheader = | image1 = [[File:Eurovoice Logo.png|250px]] | caption1 = ''Logo used since the first edition.'' | headerstyle = background-color: #ccccff | label2 = Also known as | data2 = EVC | label3 = Genre | data3 = [[Wikipedia:Music competition|Music competition]] | label4 = Created by | data4 = Pan-European Broadcasting Organization | label5 = Based on | data5 = [[Wikipedia:Eurovision Song Contest|Eurovision Song Contestl]] | label6 = Presented by | data6 = Various presenters | label7 = Country of origin | data7 = [[List of countries in Eurovoice|Various participating countries]] | label8 = Original languages | data8 = English | header9 = Production | label10 = Production locations | data10 = [[List of host cities of Eurovoice|Various host cities]] | label11 = Running time | data11 = ~4.5 hours (finals) | label12 = Production company(s) | data12 = Pan-European Broadcasting Organization | header13 = Release | label14 = Picture format | data14 = [[Wikipedia:HDTV|HDTV]] [[Wikipedia:1080i|1080i]] (2022–present) | label15 = Original run | data15 = 12 May 2024 – present |header16 = Related |data27= [[Afrivoice]]<br>[[Asiavoice]] }} '''Eurovoice Song Contest''', often known by its initialism '''EVC''', is an international song competition organised by the Pan-European Broadcasting Organization. Each participating country submits an original song to be performed live and transmitted to national broadcasters via Eurovoice and EuroTV networks, with competing countries then casting votes for the other countries' songs to determine a winner. Based on the Eurovision Song Contest held in Europe since 1956, Eurovoice has been held since 2024. Active members of the EBU (for now) are allowed to compete; as of 2024, 20 countries have participated at least once. Each participating broadcaster sends one original song to be performed live by a singer or group of up to six people aged 16 or older. Each country awards 1–8, 10 and 12 points to their ten favourite songs, based on the views of an assembled group of music professionals and the country's viewing public, with the song receiving the most points declared the winner. Other performances feature alongside the competition, including a specially-commissioned opening and interval act and guest performances by musicians and other personalities. Traditionally held in the country which won the preceding year's event, the contest provides an opportunity to promote the host country and city as a tourist destination. Thousands of spectators attend each year, along with journalists who cover all aspects of the contest, including rehearsals in venue, press conferences with the competing acts, in addition to other related events and performances in the host city. The contest has aired in countries across all continents. Eurovoice ranks among the world's most watched non-sporting events every year, with hundreds of millions of viewers globally. Performing at the contest has often provided artists with a local career boost and in some cases long-lasting international success. Several of the best-selling music artists in the world have competed in past editions. While having gained popularity with the viewing public in both participating and non-participating countries, the contest has also been the subject of criticism for its artistic quality as well as a perceived political aspect to the event. Concerns have been raised regarding political friendships and rivalries between countries potentially having an impact on the results. Controversial moments have included participating countries withdrawing at a late stage, censorship of broadcast segments by broadcasters, as well as political events impacting participation. Likewise, the contest has also been criticised for an over-abundance of elaborate stage shows at the cost of artistic merit. The Song has, however, gained popularity for its kitsch appeal, its musical span of ethnic and international styles, as well as emergence as part of LGBT culture, resulting in a large, active fanbase and an influence on popular culture. The popularity of the contest has led to the creation of several similar events, either organised by the PEBO or created by external organisations; several special events have been organised by the PEBO to celebrate select anniversaries or as a replacement due to cancellation. ==History== On 16th May 2024, Electra, executive supervisor of the Pan-European Broadcasting Organization decided to open an international music contest, in that every full member of the EBU can take part by sending artists representing their countries with songs. It was called ''Eurovoice Song Contest.'' __TOC__ The first ever "Eurovoice" was on 2024. It was held in Milan, Italy, the first ever country to host The Song. Twenty nations took part in the [[Eurovoice 2024|first edition]], each submitting one entry to the contest. Each country awarded 12 points to their favourite, 10 points to their second favourite and then 8-1 points for the remainder of their Top 10. ==Participation== Eligibility to participate in the contest is for now limited to countries in Europe, as several states geographically outside the boundaries of the continent or which span more than one continent are not included yet in the Broadcasting Area. C PEBO members who wish to participate must fulfil conditions as laid down in the rules of the contest, a separate copy of which is drafted annually. Broadcasters must have paid the PEBo a participation fee in advance to the deadline specified in the rules for the year in which they wish to participate; this fee is different for each country based on its size and viewership. Twenty countries have participated at least once. These are listed here alongside the year in which they made their debut: {| |- style="vertical-align:top" | {| class="wikitable" style="font-size:94%" |- ! scope="col" |Edition ! scope="col" |Country making its debut entry |- ! rowspan="20" scope="row" style="vertical-align:top center;" |[[Eurovoice 2024|2024]] |{{Austria}} |- |{{Belgium}} |- |{{Croatia}} |- |{{Denmark}} |- |{{Finland}} |- |{{France}} |- |{{Germany}} |- |{{Greece}} |- |{{Iceland}} |- |{{Ireland}} |- |{{Italy}} |- |{{Luxembourg}} |- |{{Netherlands}} |- |{{Norway}} |- |{{Poland}} |- |{{Portugal}} |- |{{Spain}} |- |{{Sweden}} |- |{{Switzerland}} |- |{{United Kingdom}} |} | |} |} == Format == Since the very first edition the winning country of each edition is automatically chosen to be the host of the next edition. As the host broadcaster, the heads of delegation can decide how and when they want to host the competition, make a theme song and other things. However if a broadcaster cannot afford to host the competition, the runner-up or the PEBO council will help out. The show would still be hosted in the winning country. ==Hosting== {{Hatnote|Further information: [[List of host cities of Eurovoice]]}} The winning country traditionally hosts the following year's event, with [[List of host cities of Eurovoice|some exceptions]] since 2026. Hosting the contest can be seen as a unique opportunity for promoting the host country as a tourist destination and can provide benefits to the local economy and tourism sectors of the host city. Preparations for each year's contest typically begin at the conclusion of the previous year's contest, with the winning country's head of delegation receiving a welcome package of information related to hosting the contest at the winner's press conference. The Song is a non-profit event, and financing is typically achieved through a fee from each participating broadcaster, contributions from the host broadcaster and the host city, and commercial revenues from sponsorships, ticket sales, televoting and merchandise. The host broadcaster will subsequently select a host city, typically a national or regional capital city, which must meet certain criteria set out in the contest's rules. The host venue must be able to accommodate at least 10,000 spectators, a press centre for 1,500 journalists, should be within easy reach of an international airport and with hotel accommodation available for at least 2,000 delegates, journalists and spectators. A variety of different venues have been used for past editions, from small theatres and television studios to large arenas and stadiums. === Preparations === Preparations in the host venue typically begin approximately six weeks before the final, to accommodate building works and technical rehearsals before the arrival of the competing artists. Delegations will typically arrive in the host city two to three weeks before the live show, and each participating broadcaster nominates a head of delegation, responsible for coordinating the movements of their delegation and being that country's representative to the PEBO. Members of each country's delegation include performers, composers, lyricists, members of the press, and—in the years where a live orchestra was present—a conductor. Present if desired is a commentator, who provides commentary of the event for their country's radio and/or television feed in their country's own language in dedicated booths situated around the back of the arena behind the audience. Each country conducts two individual rehearsals behind closed doors, the first for 30 minutes and the second for 20 minutes. Individual rehearsals for the semi-finalists commence the week before the live shows, with countries typically rehearsing in the order in which they will perform during the contest; rehearsals for the host country and the "Big Five" automatic finalists are held towards the end of the week. Following rehearsals, delegations meet with the show's production team to review footage of the rehearsal and raise any special requirements or changes. "Meet and greet" sessions with accredited fans and press are held during these rehearsal weeks. Each live show is preceded by three dress rehearsals, where the whole show is run in the same way as it will be presented on TV. The second dress rehearsal, alternatively called the "jury show" and held the night before the broadcast, is used as a recorded back-up in case of technological failure, and performances during this show are used by each country's professional jury to determine their votes. The delegations from the qualifying countries in each semi-final attend a qualifiers' press conference after their respective semi-final, and the winning delegation attends a winners' press conference following the final. A welcome reception is typically held at a venue in the host city on the Sunday preceding the live shows, which includes a [[Wikipedia:Red carpet|red carpet]] ceremony for all the participating countries and is usually broadcast online. Accredited delegates, press and fans have access to an official nightclub, the "VoiceClub", and some delegations will hold their own parties. The "VoiceVillage" is an official fan zone open to the public free of charge, with live performances by the contest's artists and screenings of the live shows on big screens. ==Rules== ===Song eligibility and languages=== All competing songs must have a recap with a duration of 30 seconds. This rule applies only to the version performed during the live shows. In order to be considered eligible, competing songs in a given year's contest must not have been released commercially before September of the last year. All competing entries must include vocals and lyrics of some kind and purely instrumental pieces are not allowed. Competing entries may be performed in any language, be that natural or constructed, and participating broadcasters are free to decide the language in which their entry may be performed. ===Running order=== Since the first edition, the order in which the competing countries perform has been determined by the contest's producers, and submitted to the PEBO Executive Supervisor and Reference Group for approval before public announcement. ===[[Voting at The Song|Voting]]=== Each country awards one sets of points: based on the votes of each country's professional jury. Each set of points consists of 1–8, 10 and 12 points to the jury and public's ten favourite songs, with the most preferred song receiving 12 points. Should two or more countries finish with the same number of points, a tie-break procedure is employed to determine the final placings. The country which has obtained points from the most countries following this calculation is deemed to have placed higher. ===Winners=== {{Hatnote|Further information: [[List of The Song winners]]}} {| class="sortable wikitable" width="900px" |- !{{Abbr|Edn.|Edition}} !Country !Performer !Song !Points |- ![[Eurovoice 2024|2024]] | | | | style="text-align:center;" | |} <references /> 6032ff8dcf8986fc3ba7a6021c87e3c31d920079 7 4 2024-01-22T03:44:53Z Globalvision 2 /* Winners */ wikitext text/x-wiki {{infobox | above = Eurovoice Song Contest | abovestyle = background-color: #ccccff | subheader = | image1 = [[File:Eurovoice Logo.png|250px]] | caption1 = ''Logo used since the first edition.'' | headerstyle = background-color: #ccccff | label2 = Also known as | data2 = EVC | label3 = Genre | data3 = [[Wikipedia:Music competition|Music competition]] | label4 = Created by | data4 = Pan-European Broadcasting Organization | label5 = Based on | data5 = [[Wikipedia:Eurovision Song Contest|Eurovision Song Contestl]] | label6 = Presented by | data6 = Various presenters | label7 = Country of origin | data7 = [[List of countries in Eurovoice|Various participating countries]] | label8 = Original languages | data8 = English | header9 = Production | label10 = Production locations | data10 = [[List of host cities of Eurovoice|Various host cities]] | label11 = Running time | data11 = ~4.5 hours (finals) | label12 = Production company(s) | data12 = Pan-European Broadcasting Organization | header13 = Release | label14 = Picture format | data14 = [[Wikipedia:HDTV|HDTV]] [[Wikipedia:1080i|1080i]] (2022–present) | label15 = Original run | data15 = 12 May 2024 – present |header16 = Related |data27= [[Afrivoice]]<br>[[Asiavoice]] }} '''Eurovoice Song Contest''', often known by its initialism '''EVC''', is an international song competition organised by the Pan-European Broadcasting Organization. Each participating country submits an original song to be performed live and transmitted to national broadcasters via Eurovoice and EuroTV networks, with competing countries then casting votes for the other countries' songs to determine a winner. Based on the Eurovision Song Contest held in Europe since 1956, Eurovoice has been held since 2024. Active members of the EBU (for now) are allowed to compete; as of 2024, 20 countries have participated at least once. Each participating broadcaster sends one original song to be performed live by a singer or group of up to six people aged 16 or older. Each country awards 1–8, 10 and 12 points to their ten favourite songs, based on the views of an assembled group of music professionals and the country's viewing public, with the song receiving the most points declared the winner. Other performances feature alongside the competition, including a specially-commissioned opening and interval act and guest performances by musicians and other personalities. Traditionally held in the country which won the preceding year's event, the contest provides an opportunity to promote the host country and city as a tourist destination. Thousands of spectators attend each year, along with journalists who cover all aspects of the contest, including rehearsals in venue, press conferences with the competing acts, in addition to other related events and performances in the host city. The contest has aired in countries across all continents. Eurovoice ranks among the world's most watched non-sporting events every year, with hundreds of millions of viewers globally. Performing at the contest has often provided artists with a local career boost and in some cases long-lasting international success. Several of the best-selling music artists in the world have competed in past editions. While having gained popularity with the viewing public in both participating and non-participating countries, the contest has also been the subject of criticism for its artistic quality as well as a perceived political aspect to the event. Concerns have been raised regarding political friendships and rivalries between countries potentially having an impact on the results. Controversial moments have included participating countries withdrawing at a late stage, censorship of broadcast segments by broadcasters, as well as political events impacting participation. Likewise, the contest has also been criticised for an over-abundance of elaborate stage shows at the cost of artistic merit. The Song has, however, gained popularity for its kitsch appeal, its musical span of ethnic and international styles, as well as emergence as part of LGBT culture, resulting in a large, active fanbase and an influence on popular culture. The popularity of the contest has led to the creation of several similar events, either organised by the PEBO or created by external organisations; several special events have been organised by the PEBO to celebrate select anniversaries or as a replacement due to cancellation. ==History== On 16th May 2024, Electra, executive supervisor of the Pan-European Broadcasting Organization decided to open an international music contest, in that every full member of the EBU can take part by sending artists representing their countries with songs. It was called ''Eurovoice Song Contest.'' __TOC__ The first ever "Eurovoice" was on 2024. It was held in Milan, Italy, the first ever country to host The Song. Twenty nations took part in the [[Eurovoice 2024|first edition]], each submitting one entry to the contest. Each country awarded 12 points to their favourite, 10 points to their second favourite and then 8-1 points for the remainder of their Top 10. ==Participation== Eligibility to participate in the contest is for now limited to countries in Europe, as several states geographically outside the boundaries of the continent or which span more than one continent are not included yet in the Broadcasting Area. C PEBO members who wish to participate must fulfil conditions as laid down in the rules of the contest, a separate copy of which is drafted annually. Broadcasters must have paid the PEBo a participation fee in advance to the deadline specified in the rules for the year in which they wish to participate; this fee is different for each country based on its size and viewership. Twenty countries have participated at least once. These are listed here alongside the year in which they made their debut: {| |- style="vertical-align:top" | {| class="wikitable" style="font-size:94%" |- ! scope="col" |Edition ! scope="col" |Country making its debut entry |- ! rowspan="20" scope="row" style="vertical-align:top center;" |[[Eurovoice 2024|2024]] |{{Austria}} |- |{{Belgium}} |- |{{Croatia}} |- |{{Denmark}} |- |{{Finland}} |- |{{France}} |- |{{Germany}} |- |{{Greece}} |- |{{Iceland}} |- |{{Ireland}} |- |{{Italy}} |- |{{Luxembourg}} |- |{{Netherlands}} |- |{{Norway}} |- |{{Poland}} |- |{{Portugal}} |- |{{Spain}} |- |{{Sweden}} |- |{{Switzerland}} |- |{{United Kingdom}} |} | |} |} == Format == Since the very first edition the winning country of each edition is automatically chosen to be the host of the next edition. As the host broadcaster, the heads of delegation can decide how and when they want to host the competition, make a theme song and other things. However if a broadcaster cannot afford to host the competition, the runner-up or the PEBO council will help out. The show would still be hosted in the winning country. ==Hosting== {{Hatnote|Further information: [[List of host cities of Eurovoice]]}} The winning country traditionally hosts the following year's event, with [[List of host cities of Eurovoice|some exceptions]] since 2026. Hosting the contest can be seen as a unique opportunity for promoting the host country as a tourist destination and can provide benefits to the local economy and tourism sectors of the host city. Preparations for each year's contest typically begin at the conclusion of the previous year's contest, with the winning country's head of delegation receiving a welcome package of information related to hosting the contest at the winner's press conference. The Song is a non-profit event, and financing is typically achieved through a fee from each participating broadcaster, contributions from the host broadcaster and the host city, and commercial revenues from sponsorships, ticket sales, televoting and merchandise. The host broadcaster will subsequently select a host city, typically a national or regional capital city, which must meet certain criteria set out in the contest's rules. The host venue must be able to accommodate at least 10,000 spectators, a press centre for 1,500 journalists, should be within easy reach of an international airport and with hotel accommodation available for at least 2,000 delegates, journalists and spectators. A variety of different venues have been used for past editions, from small theatres and television studios to large arenas and stadiums. === Preparations === Preparations in the host venue typically begin approximately six weeks before the final, to accommodate building works and technical rehearsals before the arrival of the competing artists. Delegations will typically arrive in the host city two to three weeks before the live show, and each participating broadcaster nominates a head of delegation, responsible for coordinating the movements of their delegation and being that country's representative to the PEBO. Members of each country's delegation include performers, composers, lyricists, members of the press, and—in the years where a live orchestra was present—a conductor. Present if desired is a commentator, who provides commentary of the event for their country's radio and/or television feed in their country's own language in dedicated booths situated around the back of the arena behind the audience. Each country conducts two individual rehearsals behind closed doors, the first for 30 minutes and the second for 20 minutes. Individual rehearsals for the semi-finalists commence the week before the live shows, with countries typically rehearsing in the order in which they will perform during the contest; rehearsals for the host country and the "Big Five" automatic finalists are held towards the end of the week. Following rehearsals, delegations meet with the show's production team to review footage of the rehearsal and raise any special requirements or changes. "Meet and greet" sessions with accredited fans and press are held during these rehearsal weeks. Each live show is preceded by three dress rehearsals, where the whole show is run in the same way as it will be presented on TV. The second dress rehearsal, alternatively called the "jury show" and held the night before the broadcast, is used as a recorded back-up in case of technological failure, and performances during this show are used by each country's professional jury to determine their votes. The delegations from the qualifying countries in each semi-final attend a qualifiers' press conference after their respective semi-final, and the winning delegation attends a winners' press conference following the final. A welcome reception is typically held at a venue in the host city on the Sunday preceding the live shows, which includes a [[Wikipedia:Red carpet|red carpet]] ceremony for all the participating countries and is usually broadcast online. Accredited delegates, press and fans have access to an official nightclub, the "VoiceClub", and some delegations will hold their own parties. The "VoiceVillage" is an official fan zone open to the public free of charge, with live performances by the contest's artists and screenings of the live shows on big screens. ==Rules== ===Song eligibility and languages=== All competing songs must have a recap with a duration of 30 seconds. This rule applies only to the version performed during the live shows. In order to be considered eligible, competing songs in a given year's contest must not have been released commercially before September of the last year. All competing entries must include vocals and lyrics of some kind and purely instrumental pieces are not allowed. Competing entries may be performed in any language, be that natural or constructed, and participating broadcasters are free to decide the language in which their entry may be performed. ===Running order=== Since the first edition, the order in which the competing countries perform has been determined by the contest's producers, and submitted to the PEBO Executive Supervisor and Reference Group for approval before public announcement. ===[[Voting at The Song|Voting]]=== Each country awards one sets of points: based on the votes of each country's professional jury. Each set of points consists of 1–8, 10 and 12 points to the jury and public's ten favourite songs, with the most preferred song receiving 12 points. Should two or more countries finish with the same number of points, a tie-break procedure is employed to determine the final placings. The country which has obtained points from the most countries following this calculation is deemed to have placed higher. ===Winners=== {{Hatnote|Further information: [[List of Eurovoice winners]]}} {| class="sortable wikitable" width="900px" |- !{{Abbr|Edn.|Edition}} !Country !Performer !Song !Points |- ![[Eurovoice 2024|2024]] | | | | style="text-align:center;" | |} <references /> 1ff8b358d1f7244ed02044107d7fcb1b74338f00 32 7 2024-01-22T12:15:20Z Globalvision 2 /* Voting */ wikitext text/x-wiki {{infobox | above = Eurovoice Song Contest | abovestyle = background-color: #ccccff | subheader = | image1 = [[File:Eurovoice Logo.png|250px]] | caption1 = ''Logo used since the first edition.'' | headerstyle = background-color: #ccccff | label2 = Also known as | data2 = EVC | label3 = Genre | data3 = [[Wikipedia:Music competition|Music competition]] | label4 = Created by | data4 = Pan-European Broadcasting Organization | label5 = Based on | data5 = [[Wikipedia:Eurovision Song Contest|Eurovision Song Contestl]] | label6 = Presented by | data6 = Various presenters | label7 = Country of origin | data7 = [[List of countries in Eurovoice|Various participating countries]] | label8 = Original languages | data8 = English | header9 = Production | label10 = Production locations | data10 = [[List of host cities of Eurovoice|Various host cities]] | label11 = Running time | data11 = ~4.5 hours (finals) | label12 = Production company(s) | data12 = Pan-European Broadcasting Organization | header13 = Release | label14 = Picture format | data14 = [[Wikipedia:HDTV|HDTV]] [[Wikipedia:1080i|1080i]] (2022–present) | label15 = Original run | data15 = 12 May 2024 – present |header16 = Related |data27= [[Afrivoice]]<br>[[Asiavoice]] }} '''Eurovoice Song Contest''', often known by its initialism '''EVC''', is an international song competition organised by the Pan-European Broadcasting Organization. Each participating country submits an original song to be performed live and transmitted to national broadcasters via Eurovoice and EuroTV networks, with competing countries then casting votes for the other countries' songs to determine a winner. Based on the Eurovision Song Contest held in Europe since 1956, Eurovoice has been held since 2024. Active members of the EBU (for now) are allowed to compete; as of 2024, 20 countries have participated at least once. Each participating broadcaster sends one original song to be performed live by a singer or group of up to six people aged 16 or older. Each country awards 1–8, 10 and 12 points to their ten favourite songs, based on the views of an assembled group of music professionals and the country's viewing public, with the song receiving the most points declared the winner. Other performances feature alongside the competition, including a specially-commissioned opening and interval act and guest performances by musicians and other personalities. Traditionally held in the country which won the preceding year's event, the contest provides an opportunity to promote the host country and city as a tourist destination. Thousands of spectators attend each year, along with journalists who cover all aspects of the contest, including rehearsals in venue, press conferences with the competing acts, in addition to other related events and performances in the host city. The contest has aired in countries across all continents. Eurovoice ranks among the world's most watched non-sporting events every year, with hundreds of millions of viewers globally. Performing at the contest has often provided artists with a local career boost and in some cases long-lasting international success. Several of the best-selling music artists in the world have competed in past editions. While having gained popularity with the viewing public in both participating and non-participating countries, the contest has also been the subject of criticism for its artistic quality as well as a perceived political aspect to the event. Concerns have been raised regarding political friendships and rivalries between countries potentially having an impact on the results. Controversial moments have included participating countries withdrawing at a late stage, censorship of broadcast segments by broadcasters, as well as political events impacting participation. Likewise, the contest has also been criticised for an over-abundance of elaborate stage shows at the cost of artistic merit. The Song has, however, gained popularity for its kitsch appeal, its musical span of ethnic and international styles, as well as emergence as part of LGBT culture, resulting in a large, active fanbase and an influence on popular culture. The popularity of the contest has led to the creation of several similar events, either organised by the PEBO or created by external organisations; several special events have been organised by the PEBO to celebrate select anniversaries or as a replacement due to cancellation. ==History== On 16th May 2024, Electra, executive supervisor of the Pan-European Broadcasting Organization decided to open an international music contest, in that every full member of the EBU can take part by sending artists representing their countries with songs. It was called ''Eurovoice Song Contest.'' __TOC__ The first ever "Eurovoice" was on 2024. It was held in Milan, Italy, the first ever country to host The Song. Twenty nations took part in the [[Eurovoice 2024|first edition]], each submitting one entry to the contest. Each country awarded 12 points to their favourite, 10 points to their second favourite and then 8-1 points for the remainder of their Top 10. ==Participation== Eligibility to participate in the contest is for now limited to countries in Europe, as several states geographically outside the boundaries of the continent or which span more than one continent are not included yet in the Broadcasting Area. C PEBO members who wish to participate must fulfil conditions as laid down in the rules of the contest, a separate copy of which is drafted annually. Broadcasters must have paid the PEBo a participation fee in advance to the deadline specified in the rules for the year in which they wish to participate; this fee is different for each country based on its size and viewership. Twenty countries have participated at least once. These are listed here alongside the year in which they made their debut: {| |- style="vertical-align:top" | {| class="wikitable" style="font-size:94%" |- ! scope="col" |Edition ! scope="col" |Country making its debut entry |- ! rowspan="20" scope="row" style="vertical-align:top center;" |[[Eurovoice 2024|2024]] |{{Austria}} |- |{{Belgium}} |- |{{Croatia}} |- |{{Denmark}} |- |{{Finland}} |- |{{France}} |- |{{Germany}} |- |{{Greece}} |- |{{Iceland}} |- |{{Ireland}} |- |{{Italy}} |- |{{Luxembourg}} |- |{{Netherlands}} |- |{{Norway}} |- |{{Poland}} |- |{{Portugal}} |- |{{Spain}} |- |{{Sweden}} |- |{{Switzerland}} |- |{{United Kingdom}} |} | |} |} == Format == Since the very first edition the winning country of each edition is automatically chosen to be the host of the next edition. As the host broadcaster, the heads of delegation can decide how and when they want to host the competition, make a theme song and other things. However if a broadcaster cannot afford to host the competition, the runner-up or the PEBO council will help out. The show would still be hosted in the winning country. ==Hosting== {{Hatnote|Further information: [[List of host cities of Eurovoice]]}} The winning country traditionally hosts the following year's event, with [[List of host cities of Eurovoice|some exceptions]] since 2026. Hosting the contest can be seen as a unique opportunity for promoting the host country as a tourist destination and can provide benefits to the local economy and tourism sectors of the host city. Preparations for each year's contest typically begin at the conclusion of the previous year's contest, with the winning country's head of delegation receiving a welcome package of information related to hosting the contest at the winner's press conference. The Song is a non-profit event, and financing is typically achieved through a fee from each participating broadcaster, contributions from the host broadcaster and the host city, and commercial revenues from sponsorships, ticket sales, televoting and merchandise. The host broadcaster will subsequently select a host city, typically a national or regional capital city, which must meet certain criteria set out in the contest's rules. The host venue must be able to accommodate at least 10,000 spectators, a press centre for 1,500 journalists, should be within easy reach of an international airport and with hotel accommodation available for at least 2,000 delegates, journalists and spectators. A variety of different venues have been used for past editions, from small theatres and television studios to large arenas and stadiums. === Preparations === Preparations in the host venue typically begin approximately six weeks before the final, to accommodate building works and technical rehearsals before the arrival of the competing artists. Delegations will typically arrive in the host city two to three weeks before the live show, and each participating broadcaster nominates a head of delegation, responsible for coordinating the movements of their delegation and being that country's representative to the PEBO. Members of each country's delegation include performers, composers, lyricists, members of the press, and—in the years where a live orchestra was present—a conductor. Present if desired is a commentator, who provides commentary of the event for their country's radio and/or television feed in their country's own language in dedicated booths situated around the back of the arena behind the audience. Each country conducts two individual rehearsals behind closed doors, the first for 30 minutes and the second for 20 minutes. Individual rehearsals for the semi-finalists commence the week before the live shows, with countries typically rehearsing in the order in which they will perform during the contest; rehearsals for the host country and the "Big Five" automatic finalists are held towards the end of the week. Following rehearsals, delegations meet with the show's production team to review footage of the rehearsal and raise any special requirements or changes. "Meet and greet" sessions with accredited fans and press are held during these rehearsal weeks. Each live show is preceded by three dress rehearsals, where the whole show is run in the same way as it will be presented on TV. The second dress rehearsal, alternatively called the "jury show" and held the night before the broadcast, is used as a recorded back-up in case of technological failure, and performances during this show are used by each country's professional jury to determine their votes. The delegations from the qualifying countries in each semi-final attend a qualifiers' press conference after their respective semi-final, and the winning delegation attends a winners' press conference following the final. A welcome reception is typically held at a venue in the host city on the Sunday preceding the live shows, which includes a [[Wikipedia:Red carpet|red carpet]] ceremony for all the participating countries and is usually broadcast online. Accredited delegates, press and fans have access to an official nightclub, the "VoiceClub", and some delegations will hold their own parties. The "VoiceVillage" is an official fan zone open to the public free of charge, with live performances by the contest's artists and screenings of the live shows on big screens. ==Rules== ===Song eligibility and languages=== All competing songs must have a recap with a duration of 30 seconds. This rule applies only to the version performed during the live shows. In order to be considered eligible, competing songs in a given year's contest must not have been released commercially before September of the last year. All competing entries must include vocals and lyrics of some kind and purely instrumental pieces are not allowed. Competing entries may be performed in any language, be that natural or constructed, and participating broadcasters are free to decide the language in which their entry may be performed. ===Running order=== Since the first edition, the order in which the competing countries perform has been determined by the contest's producers, and submitted to the PEBO Executive Supervisor and Reference Group for approval before public announcement. ===[[Voting at Eurovoice|Voting]]=== Each country awards one sets of points: based on the votes of each country's professional jury. Each set of points consists of 1–8, 10 and 12 points to the jury and public's ten favourite songs, with the most preferred song receiving 12 points. Should two or more countries finish with the same number of points, a tie-break procedure is employed to determine the final placings. The country which has obtained points from the most countries following this calculation is deemed to have placed higher. ===Winners=== {{Hatnote|Further information: [[List of Eurovoice winners]]}} {| class="sortable wikitable" width="900px" |- !{{Abbr|Edn.|Edition}} !Country !Performer !Song !Points |- ![[Eurovoice 2024|2024]] | | | | style="text-align:center;" | |} <references /> a02d4698134cbc163fd59cd4f5dc9ce79ba56401 33 32 2024-01-22T12:18:04Z Globalvision 2 wikitext text/x-wiki {{infobox | above = Eurovoice Song Contest | abovestyle = background-color: #ccccff | subheader = | image1 = [[File:Eurovoice Logo.png|250px]] | caption1 = ''Logo used since the first edition.'' | headerstyle = background-color: #ccccff | label2 = Also known as | data2 = EVC | label3 = Genre | data3 = [[Wikipedia:Music competition|Music competition]] | label4 = Created by | data4 = Pan-European Broadcasting Organization | label5 = Based on | data5 = [[Wikipedia:Eurovision Song Contest|Eurovision Song Contestl]] | label6 = Presented by | data6 = Various presenters | label7 = Country of origin | data7 = [[List of countries in Eurovoice|Various participating countries]] | label8 = Original languages | data8 = English | header9 = Production | label10 = Production locations | data10 = [[List of host cities of Eurovoice|Various host cities]] | label11 = Running time | data11 = ~4.5 hours (finals) | label12 = Production company(s) | data12 = Pan-European Broadcasting Organization | header13 = Release | label14 = Picture format | data14 = [[Wikipedia:HDTV|HDTV]] [[Wikipedia:1080i|1080i]] (2022–present) | label15 = Original run | data15 = 12 May 2024 – present |header16 = Related |data27= [[Afrivoice]]<br>[[Asiavoice]] }} '''Eurovoice Song Contest''', often known by its initialism '''EVC''', is an international song competition organised by the Pan-European Broadcasting Organization. Each participating country submits an original song to be performed live and transmitted to national broadcasters via Eurovoice and EuroTV networks, with competing countries then casting votes for the other countries' songs to determine a winner. Based on the Eurovision Song Contest held in Europe since 1956, Eurovoice has been held since 2024. Active members of the EBU (for now) are allowed to compete; as of 2024, 20 countries have participated at least once. Each participating broadcaster sends one original song to be performed live by a singer or group of up to six people aged 16 or older. Each country awards 1–8, 10 and 12 points to their ten favourite songs, based on the views of an assembled group of music professionals and the country's viewing public, with the song receiving the most points declared the winner. Other performances feature alongside the competition, including a specially-commissioned opening and interval act and guest performances by musicians and other personalities. Traditionally held in the country which won the preceding year's event, the contest provides an opportunity to promote the host country and city as a tourist destination. Thousands of spectators attend each year, along with journalists who cover all aspects of the contest, including rehearsals in venue, press conferences with the competing acts, in addition to other related events and performances in the host city. The contest has aired in countries across all continents. Eurovoice ranks among the world's most watched non-sporting events every year, with hundreds of millions of viewers globally. Performing at the contest has often provided artists with a local career boost and in some cases long-lasting international success. Several of the best-selling music artists in the world have competed in past editions. While having gained popularity with the viewing public in both participating and non-participating countries, the contest has also been the subject of criticism for its artistic quality as well as a perceived political aspect to the event. Concerns have been raised regarding political friendships and rivalries between countries potentially having an impact on the results. Controversial moments have included participating countries withdrawing at a late stage, censorship of broadcast segments by broadcasters, as well as political events impacting participation. Likewise, the contest has also been criticised for an over-abundance of elaborate stage shows at the cost of artistic merit. The Song has, however, gained popularity for its kitsch appeal, its musical span of ethnic and international styles, as well as emergence as part of LGBT culture, resulting in a large, active fanbase and an influence on popular culture. The popularity of the contest has led to the creation of several similar events, either organised by the PEBO or created by external organisations; several special events have been organised by the PEBO to celebrate select anniversaries or as a replacement due to cancellation. ==History== On 16th May 2024, Electra, executive supervisor of the Pan-European Broadcasting Organization decided to open an international music contest, in that every full member of the EBU can take part by sending artists representing their countries with songs. It was called ''Eurovoice Song Contest.'' __TOC__ The first ever "Eurovoice" was on 2024. It was held in Milan, Italy, the first ever country to host The Song. Twenty nations took part in the [[Eurovoice 2024|first edition]], each submitting one entry to the contest. Each country awarded 12 points to their favourite, 10 points to their second favourite and then 8-1 points for the remainder of their Top 10. ==Participation== Eligibility to participate in the contest is for now limited to countries in Europe, as several states geographically outside the boundaries of the continent or which span more than one continent are not included yet in the Broadcasting Area. C PEBO members who wish to participate must fulfil conditions as laid down in the rules of the contest, a separate copy of which is drafted annually. Broadcasters must have paid the PEBo a participation fee in advance to the deadline specified in the rules for the year in which they wish to participate; this fee is different for each country based on its size and viewership. Twenty countries have participated at least once. These are listed here alongside the year in which they made their debut: {| |- style="vertical-align:top" | {| class="wikitable" style="font-size:94%" |- ! scope="col" |Edition ! scope="col" |Country making its debut entry |- ! rowspan="20" scope="row" style="vertical-align:top center;" |[[Eurovoice 2024|2024]] |{{Austria}} |- |{{Belgium}} |- |{{Croatia}} |- |{{Denmark}} |- |{{Finland}} |- |{{France}} |- |{{Germany}} |- |{{Greece}} |- |{{Iceland}} |- |{{Ireland}} |- |{{Italy}} |- |{{Luxembourg}} |- |{{Netherlands}} |- |{{Norway}} |- |{{Poland}} |- |{{Portugal}} |- |{{Spain}} |- |{{Sweden}} |- |{{Switzerland}} |- |{{United Kingdom}} |} | |} == Format == Since the very first edition the winning country of each edition is automatically chosen to be the host of the next edition. As the host broadcaster, the heads of delegation can decide how and when they want to host the competition, make a theme song and other things. However if a broadcaster cannot afford to host the competition, the runner-up or the PEBO council will help out. The show would still be hosted in the winning country. ==Hosting== {{Hatnote|Further information: [[List of host cities of Eurovoice]]}} The winning country traditionally hosts the following year's event, with [[List of host cities of Eurovoice|some exceptions]] since 2026. Hosting the contest can be seen as a unique opportunity for promoting the host country as a tourist destination and can provide benefits to the local economy and tourism sectors of the host city. Preparations for each year's contest typically begin at the conclusion of the previous year's contest, with the winning country's head of delegation receiving a welcome package of information related to hosting the contest at the winner's press conference. The Song is a non-profit event, and financing is typically achieved through a fee from each participating broadcaster, contributions from the host broadcaster and the host city, and commercial revenues from sponsorships, ticket sales, televoting and merchandise. The host broadcaster will subsequently select a host city, typically a national or regional capital city, which must meet certain criteria set out in the contest's rules. The host venue must be able to accommodate at least 10,000 spectators, a press centre for 1,500 journalists, should be within easy reach of an international airport and with hotel accommodation available for at least 2,000 delegates, journalists and spectators. A variety of different venues have been used for past editions, from small theatres and television studios to large arenas and stadiums. === Preparations === Preparations in the host venue typically begin approximately six weeks before the final, to accommodate building works and technical rehearsals before the arrival of the competing artists. Delegations will typically arrive in the host city two to three weeks before the live show, and each participating broadcaster nominates a head of delegation, responsible for coordinating the movements of their delegation and being that country's representative to the PEBO. Members of each country's delegation include performers, composers, lyricists, members of the press, and—in the years where a live orchestra was present—a conductor. Present if desired is a commentator, who provides commentary of the event for their country's radio and/or television feed in their country's own language in dedicated booths situated around the back of the arena behind the audience. Each country conducts two individual rehearsals behind closed doors, the first for 30 minutes and the second for 20 minutes. Individual rehearsals for the semi-finalists commence the week before the live shows, with countries typically rehearsing in the order in which they will perform during the contest; rehearsals for the host country and the "Big Five" automatic finalists are held towards the end of the week. Following rehearsals, delegations meet with the show's production team to review footage of the rehearsal and raise any special requirements or changes. "Meet and greet" sessions with accredited fans and press are held during these rehearsal weeks. Each live show is preceded by three dress rehearsals, where the whole show is run in the same way as it will be presented on TV. The second dress rehearsal, alternatively called the "jury show" and held the night before the broadcast, is used as a recorded back-up in case of technological failure, and performances during this show are used by each country's professional jury to determine their votes. The delegations from the qualifying countries in each semi-final attend a qualifiers' press conference after their respective semi-final, and the winning delegation attends a winners' press conference following the final. A welcome reception is typically held at a venue in the host city on the Sunday preceding the live shows, which includes a [[Wikipedia:Red carpet|red carpet]] ceremony for all the participating countries and is usually broadcast online. Accredited delegates, press and fans have access to an official nightclub, the "VoiceClub", and some delegations will hold their own parties. The "VoiceVillage" is an official fan zone open to the public free of charge, with live performances by the contest's artists and screenings of the live shows on big screens. ==Rules== ===Song eligibility and languages=== All competing songs must have a recap with a duration of 30 seconds. This rule applies only to the version performed during the live shows. In order to be considered eligible, competing songs in a given year's contest must not have been released commercially before September of the last year. All competing entries must include vocals and lyrics of some kind and purely instrumental pieces are not allowed. Competing entries may be performed in any language, be that natural or constructed, and participating broadcasters are free to decide the language in which their entry may be performed. ===Running order=== Since the first edition, the order in which the competing countries perform has been determined by the contest's producers, and submitted to the PEBO Executive Supervisor and Reference Group for approval before public announcement. ===[[Voting at Eurovoice|Voting]]=== Each country awards one sets of points: based on the votes of each country's professional jury. Each set of points consists of 1–8, 10 and 12 points to the jury and public's ten favourite songs, with the most preferred song receiving 12 points. Should two or more countries finish with the same number of points, a tie-break procedure is employed to determine the final placings. The country which has obtained points from the most countries following this calculation is deemed to have placed higher. ===Winners=== {{Hatnote|Further information: [[List of Eurovoice winners]]}} {| class="sortable wikitable" width="900px" |- !{{Abbr|Edn.|Edition}} !Country !Performer !Song !Points |- ![[Eurovoice 2024|2024]] | | | | style="text-align:center;" | |} <references /> 0654c8569297d41dc52ee9c00875afbd5a583ae6 MediaWiki:Common.css 8 2 2 2024-01-22T03:03:46Z Globalvision 2 Created page with "@import url('https://fonts.googleapis.com/css2?family=Nunito:ital,wght@0,400&display=swap');" css text/css @import url('https://fonts.googleapis.com/css2?family=Nunito:ital,wght@0,400&display=swap'); f1ccb9e20dcb4fd87ac1cacbbcfa8d70577793a1 3 2 2024-01-22T03:11:15Z Globalvision 2 css text/css @import url(https://fonts.googleapis.com/css?family=Karla:400,700); /* Changes the default font used for MediaWiki to Noto Sans (does not include headings or monospaced text): */ body { font-family: "Karla", sans-serif; } /* Changes the default font used for MediaWiki headings to Noto Serif: */ #content h1, #content h2 { font-family: "Karla", serif; } /* Reset italic styling set by user agent */ cite, dfn { font-style: inherit; } body.page-Mediterraneanvision_Wiki.action-view #siteSub, body.page-Mediterraneanvision_Wiki.action-submit #siteSub { display: none; } body.page-Mediterraneanvision_Wiki.action-view h1.firstHeading, body.page-Mediterraneanvision_Wiki.action-submit h1.firstHeading { display: none; } body.page-User_Aris_Odi.action-view #siteSub, body.page-User_Aris_Odi.action-submit #siteSub { display: none; } body.page-User_Aris_Odi.action-view h1.firstHeading, body.page-User_Aris_Odi.action-submit h1.firstHeading { display: none; } body.page-User_talk_Aris_Odi.action-view #siteSub, body.page-User_talk_Aris_Odi.action-submit #siteSub { display: none; } body.page-User_talk_Aris_Odi.action-view h1.firstHeading, body.page-User_talk_Aris_Odi.action-submit h1.firstHeading { display: none; } body.page-User_Officieluka.action-view #siteSub, body.page-User_Officieluka.action-submit #siteSub { display: none; } body.page-User_Officieluka.action-view h1.firstHeading, body.page-User_Officieluka.action-submit h1.firstHeading { display: none; } body.page-User_talk_Officieluka.action-view #siteSub, body.page-User_talk_Officieluka.action-submit #siteSub { display: none; } body.page-User_talk_Officieluka.action-view h1.firstHeading, body.page-User_talk_Officieluka.action-submit h1.firstHeading { display: none; } /* Straight quote marks for <q> */ q { quotes: '"' '"' "'" "'"; } /* Avoid collision of blockquote with floating elements by swapping margin and padding */ blockquote { overflow: hidden; margin: 1em 0; padding: 0 40px; } /* Consistent size for <small>, <sub> and <sup> */ small { font-size: 85%; } .mw-body-content sub, .mw-body-content sup, span.reference /* for Parsoid */ { font-size: 80%; } /* Same spacing for indented and unindented paragraphs on talk pages */ .ns-talk .mw-body-content dd { margin-top: 0.4em; margin-bottom: 0.4em; } /* Main page fixes */ #interwiki-completelist { font-weight: bold; } /* Reduce page jumps by hiding collapsed/dismissed content */ .client-js .mw-special-Watchlist #watchlist-message, .client-js .collapsible:not( .mw-made-collapsible).collapsed > tbody > tr:not(:first-child), /* Hide charinsert base for those not using the gadget */ #editpage-specialchars { display: none; } /* Adds padding above Watchlist announcements where new recentchanges/watchlist filters are enabled */ .mw-rcfilters-enabled .mw-specialpage-summary { margin-top: 1em; } /* Highlight linked elements (such as clicked references) in blue */ .citation:target { background-color: rgba(0, 127, 255, 0.133); } /* Styling for citations. Breaks long urls, etc., rather than overflowing box */ .citation { word-wrap: break-word; } /* Make the list of references smaller * Keep in sync with Template:Refbegin/styles.css * And Template:Reflist/styles.css */ ol.references { font-size: 90%; margin-bottom: 0.5em; } /* Style for horizontal lists (separator following item). @source mediawiki.org/wiki/Snippets/Horizontal_lists @revision 8 (2016-05-21) @author [[User:Edokter]] */ .hlist dl, .hlist ol, .hlist ul { margin: 0; padding: 0; } /* Display list items inline */ .hlist dd, .hlist dt, .hlist li { margin: 0; /* don't trust the note that says margin doesn't work with inline * removing margin: 0 makes dds have margins again */ display: inline; } /* Display nested lists inline */ .hlist.inline, .hlist.inline dl, .hlist.inline ol, .hlist.inline ul, .hlist dl dl, .hlist dl ol, .hlist dl ul, .hlist ol dl, .hlist ol ol, .hlist ol ul, .hlist ul dl, .hlist ul ol, .hlist ul ul { display: inline; } /* Hide empty list items */ .hlist .mw-empty-li { display: none; } /* Generate interpuncts */ .hlist dt:after { content: ": "; } /** * Note hlist style usage differs in Minerva and is defined in core as well! * Please check Minerva desktop (and Minerva.css) when changing * See https://phabricator.wikimedia.org/T213239 */ .hlist dd:after, .hlist li:after { content: " · "; font-weight: bold; } .hlist dd:last-child:after, .hlist dt:last-child:after, .hlist li:last-child:after { content: none; } /* Add parentheses around nested lists */ .hlist dd dd:first-child:before, .hlist dd dt:first-child:before, .hlist dd li:first-child:before, .hlist dt dd:first-child:before, .hlist dt dt:first-child:before, .hlist dt li:first-child:before, .hlist li dd:first-child:before, .hlist li dt:first-child:before, .hlist li li:first-child:before { content: " ("; font-weight: normal; } .hlist dd dd:last-child:after, .hlist dd dt:last-child:after, .hlist dd li:last-child:after, .hlist dt dd:last-child:after, .hlist dt dt:last-child:after, .hlist dt li:last-child:after, .hlist li dd:last-child:after, .hlist li dt:last-child:after, .hlist li li:last-child:after { content: ")"; font-weight: normal; } /* Put ordinals in front of ordered list items */ .hlist ol { counter-reset: listitem; } .hlist ol > li { counter-increment: listitem; } .hlist ol > li:before { content: " " counter(listitem) "\a0"; } .hlist dd ol > li:first-child:before, .hlist dt ol > li:first-child:before, .hlist li ol > li:first-child:before { content: " (" counter(listitem) "\a0"; } /* Unbulleted lists */ .plainlist ol, .plainlist ul { line-height: inherit; list-style: none none; margin: 0; } .plainlist ol li, .plainlist ul li { margin-bottom: 0; } /* Default style for navigation boxes */ .navbox { /* Navbox container style */ box-sizing: border-box; border: 1px solid #a2a9b1; width: 100%; clear: both; font-size: 88%; text-align: center; padding: 1px; margin: 1em auto 0; /* Prevent preceding content from clinging to navboxes */ } .navbox .navbox { margin-top: 0; /* No top margin for nested navboxes */ } .navbox + .navbox { margin-top: -1px; /* Single pixel border between adjacent navboxes */ } .navbox-inner, .navbox-subgroup { width: 100%; } .navbox-group, .navbox-title, .navbox-abovebelow { padding: 0.25em 1em; /* Title, group and above/below styles */ line-height: 1.5em; text-align: center; } th.navbox-group { /* Group style */ white-space: nowrap; /* @noflip */ text-align: right; } .navbox, .navbox-subgroup { background-color: #fdfdfd; /* Background color */ } .navbox-list { line-height: 1.5em; border-color: #fdfdfd; /* Must match background color */ } /* cell spacing for navbox cells */ tr + tr > .navbox-abovebelow, tr + tr > .navbox-group, tr + tr > .navbox-image, tr + tr > .navbox-list { /* Borders above 2nd, 3rd, etc. rows */ border-top: 2px solid #fdfdfd; /* Must match background color */ } .navbox th, .navbox-title { background-color: #ccccff; /* Level 1 color */ } .navbox-abovebelow, th.navbox-group, .navbox-subgroup .navbox-title { background-color: #ddddff; /* Level 2 color */ } .navbox-subgroup .navbox-group, .navbox-subgroup .navbox-abovebelow { background-color: #e6e6ff; /* Level 3 color */ } .navbox-even { background-color: #f7f7f7; /* Even row striping */ } .navbox-odd { background-color: transparent; /* Odd row striping */ } .navbox .hlist td dl, .navbox .hlist td ol, .navbox .hlist td ul, .navbox td.hlist dl, .navbox td.hlist ol, .navbox td.hlist ul { padding: 0.125em 0; /* Adjust hlist padding in navboxes */ } /* Styling for JQuery makeCollapsible, matching that of collapseButton */ .mw-parser-output .mw-collapsible-toggle { font-weight: normal; /* @noflip */ text-align: right; padding-right: 0.2em; padding-left: 0.2em; } .mw-collapsible-leftside-toggle .mw-collapsible-toggle { /* @noflip */ float: left; /* @noflip */ text-align: left; } /* Infobox template style */ .infobox { border: 1px solid #a2a9b1; border-spacing: 3px; background-color: #f8f9fa; color: black; /* @noflip */ margin: 0.5em 0 0.5em 1em; padding: 0.2em; /* @noflip */ float: right; /* @noflip */ clear: right; font-size: 88%; line-height: 1.5em; width: 22em; } .infobox-header, .infobox-label, .infobox-above, .infobox-full-data, .infobox-data, .infobox-below, .infobox-subheader, .infobox-image, .infobox-navbar, /* Remove element selector when every .infobox thing is using the standard module/templates */ .infobox th, .infobox td { vertical-align: top; } .infobox-label, .infobox-data, /* Remove element selector when every .infobox thing is using the standard module/templates */ .infobox th, .infobox td { /* @noflip */ text-align: left; } /* Remove .infobox when element selectors above are removed */ .infobox .infobox-above, .infobox .infobox-title, /* Remove element selector when every .infobox thing is using the standard module/templates */ .infobox caption { font-size: 125%; font-weight: bold; text-align: center; } .infobox-title, /* Remove element selector when every .infobox thing is using the standard module/templates */ .infobox caption { padding: 0.2em; } /* Remove .infobox when element selectors above are removed */ .infobox .infobox-header, .infobox .infobox-subheader, .infobox .infobox-image, .infobox .infobox-full-data, .infobox .infobox-below { text-align: center; } /* Remove .infobox when element selectors above are removed */ .infobox .infobox-navbar { /* @noflip */ text-align: right; } /* Normal font styling for wikitable row headers with scope="row" tag */ .wikitable.plainrowheaders th[scope=row] { font-weight: normal; /* @noflip */ text-align: left; } /* Lists in wikitable data cells are always left-aligned */ .wikitable td ul, .wikitable td ol, .wikitable td dl { /* @noflip */ text-align: left; } /* Fix for hieroglyphs specificity issue in infoboxes ([[phab:T43869]]) */ table.mw-hiero-table td { vertical-align: middle; } /* Change the external link icon to an Adobe icon for all PDF files */ .mw-parser-output a[href$=".pdf"].external, .mw-parser-output a[href*=".pdf?"].external, .mw-parser-output a[href*=".pdf#"].external, .mw-parser-output a[href$=".PDF"].external, .mw-parser-output a[href*=".PDF?"].external, .mw-parser-output a[href*=".PDF#"].external { background: url("//upload.wikimedia.org/wikipedia/commons/2/23/Icons-mini-file_acrobat.gif") no-repeat right; /* @noflip */ padding-right: 18px; } /* Messagebox templates */ .messagebox { border: 1px solid #a2a9b1; background-color: #f8f9fa; width: 80%; margin: 0 auto 1em auto; padding: .2em; } .messagebox.merge { border: 1px solid #c0b8cc; background-color: #f0e5ff; text-align: center; } .messagebox.cleanup { border: 1px solid #9f9fff; background-color: #efefff; text-align: center; } .messagebox.standard-talk { border: 1px solid #c0c090; background-color: #f8eaba; margin: 4px auto; } /* For old WikiProject banners inside banner shells. */ .mbox-inside .standard-talk { border: 1px solid #c0c090; background-color: #f8eaba; width: 100%; margin: 2px 0; padding: 2px; } .messagebox.small { width: 238px; font-size: 85%; /* @noflip */ float: right; clear: both; /* @noflip */ margin: 0 0 1em 1em; line-height: 1.25em; } .messagebox.small-talk { width: 238px; font-size: 85%; /* @noflip */ float: right; clear: both; /* @noflip */ margin: 0 0 1em 1em; line-height: 1.25em; background-color: #f8eaba; } /* Cell sizes for ambox/tmbox/imbox/cmbox/ombox/fmbox/dmbox message boxes */ th.mbox-text, td.mbox-text { /* The message body cell(s) */ border: none; /* @noflip */ padding: 0.25em 0.9em; /* 0.9em left/right */ width: 100%; /* Make all mboxes the same width regardless of text length */ } td.mbox-image { /* The left image cell */ border: none; /* @noflip */ padding: 2px 0 2px 0.9em; /* 0.9em left, 0px right */ text-align: center; } td.mbox-imageright { /* The right image cell */ border: none; /* @noflip */ padding: 2px 0.9em 2px 0; /* 0px left, 0.9em right */ text-align: center; } td.mbox-empty-cell { /* An empty narrow cell */ border: none; padding: 0; width: 1px; } /* Article message box styles */ table.ambox { margin: 0 10%; /* 10% = Will not overlap with other elements */ border: 1px solid #a2a9b1; /* @noflip */ border-left: 10px solid #36c; /* Default "notice" blue */ background-color: #fbfbfb; box-sizing: border-box; } /* Single border between stacked boxes. */ table.ambox + table.ambox, table.ambox + .mw-empty-elt + table.ambox { margin-top: -1px; } .ambox th.mbox-text, .ambox td.mbox-text { /* The message body cell(s) */ padding: 0.25em 0.5em; /* 0.5em left/right */ } .ambox td.mbox-image { /* The left image cell */ /* @noflip */ padding: 2px 0 2px 0.5em; /* 0.5em left, 0px right */ } .ambox td.mbox-imageright { /* The right image cell */ /* @noflip */ padding: 2px 0.5em 2px 0; /* 0px left, 0.5em right */ } table.ambox-notice { /* @noflip */ border-left: 10px solid #36c; /* Blue */ } table.ambox-speedy { /* @noflip */ border-left: 10px solid #b32424; /* Red */ background-color: #fee7e6; /* Pink */ } table.ambox-delete { /* @noflip */ border-left: 10px solid #b32424; /* Red */ } table.ambox-content { /* @noflip */ border-left: 10px solid #f28500; /* Orange */ } table.ambox-style { /* @noflip */ border-left: 10px solid #fc3; /* Yellow */ } table.ambox-move { /* @noflip */ border-left: 10px solid #9932cc; /* Purple */ } table.ambox-protection { /* @noflip */ border-left: 10px solid #a2a9b1; /* Gray-gold */ } /* Image message box styles */ table.imbox { margin: 4px 10%; border-collapse: collapse; border: 3px solid #36c; /* Default "notice" blue */ background-color: #fbfbfb; box-sizing: border-box; } .imbox .mbox-text .imbox { /* For imboxes inside imbox-text cells. */ margin: 0 -0.5em; /* 0.9 - 0.5 = 0.4em left/right. */ display: block; /* Fix for webkit to force 100% width. */ } .mbox-inside .imbox { /* For imboxes inside other templates. */ margin: 4px; } table.imbox-notice { border: 3px solid #36c; /* Blue */ } table.imbox-speedy { border: 3px solid #b32424; /* Red */ background-color: #fee7e6; /* Pink */ } table.imbox-delete { border: 3px solid #b32424; /* Red */ } table.imbox-content { border: 3px solid #f28500; /* Orange */ } table.imbox-style { border: 3px solid #fc3; /* Yellow */ } table.imbox-move { border: 3px solid #9932cc; /* Purple */ } table.imbox-protection { border: 3px solid #a2a9b1; /* Gray-gold */ } table.imbox-license { border: 3px solid #88a; /* Dark gray */ background-color: #f7f8ff; /* Light gray */ } table.imbox-featured { border: 3px solid #cba135; /* Brown-gold */ } /* Category message box styles */ table.cmbox { margin: 3px 10%; border-collapse: collapse; border: 1px solid #a2a9b1; background-color: #dfe8ff; /* Default "notice" blue */ box-sizing: border-box; } table.cmbox-notice { background-color: #d8e8ff; /* Blue */ } table.cmbox-speedy { margin-top: 4px; margin-bottom: 4px; border: 4px solid #b32424; /* Red */ background-color: #ffdbdb; /* Pink */ } table.cmbox-delete { background-color: #ffdbdb; /* Pink */ } table.cmbox-content { background-color: #ffe7ce; /* Orange */ } table.cmbox-style { background-color: #fff9db; /* Yellow */ } table.cmbox-move { background-color: #e4d8ff; /* Purple */ } table.cmbox-protection { background-color: #efefe1; /* Gray-gold */ } /* Other pages message box styles */ table.ombox { margin: 4px 10%; border-collapse: collapse; border: 1px solid #a2a9b1; /* Default "notice" gray */ background-color: #f8f9fa; box-sizing: border-box; } table.ombox-notice { border: 1px solid #a2a9b1; /* Gray */ } table.ombox-speedy { border: 2px solid #b32424; /* Red */ background-color: #fee7e6; /* Pink */ } table.ombox-delete { border: 2px solid #b32424; /* Red */ } table.ombox-content { border: 1px solid #f28500; /* Orange */ } table.ombox-style { border: 1px solid #fc3; /* Yellow */ } table.ombox-move { border: 1px solid #9932cc; /* Purple */ } table.ombox-protection { border: 2px solid #a2a9b1; /* Gray-gold */ } /* Talk page message box styles */ table.tmbox { margin: 4px 10%; border-collapse: collapse; border: 1px solid #c0c090; /* Default "notice" gray-brown */ background-color: #f8eaba; min-width: 80%; box-sizing: border-box; } .tmbox.mbox-small { min-width: 0; /* reset the min-width of tmbox above */ } .mediawiki .mbox-inside .tmbox { /* For tmboxes inside other templates. The "mediawiki" class ensures that */ margin: 2px 0; /* this declaration overrides other styles (including mbox-small above) */ width: 100%; /* For Safari and Opera */ } .mbox-inside .tmbox.mbox-small { /* "small" tmboxes should not be small when */ line-height: 1.5em; /* also "nested", so reset styles that are */ font-size: 100%; /* set in "mbox-small" above. */ } table.tmbox-speedy { border: 2px solid #b32424; /* Red */ background-color: #fee7e6; /* Pink */ } table.tmbox-delete { border: 2px solid #b32424; /* Red */ } table.tmbox-content { border: 2px solid #f28500; /* Orange */ } table.tmbox-style { border: 2px solid #fc3; /* Yellow */ } table.tmbox-move { border: 2px solid #9932cc; /* Purple */ } table.tmbox-protection, table.tmbox-notice { border: 1px solid #c0c090; /* Gray-brown */ } /* Footer and header message box styles */ table.fmbox { clear: both; margin: 0.2em 0; width: 100%; border: 1px solid #a2a9b1; background-color: #f8f9fa; /* Default "system" gray */ box-sizing: border-box; } table.fmbox-system { background-color: #f8f9fa; } table.fmbox-warning { border: 1px solid #bb7070; /* Dark pink */ background-color: #ffdbdb; /* Pink */ } table.fmbox-editnotice { background-color: transparent; } /* Div based "warning" style fmbox messages. */ div.mw-warning-with-logexcerpt, div.mw-lag-warn-high, div.mw-cascadeprotectedwarning, div#mw-protect-cascadeon, div.titleblacklist-warning { clear: both; margin: 0.2em 0; border: 1px solid #bb7070; background-color: #ffdbdb; padding: 0.25em 0.9em; box-sizing: border-box; } /* Use default color for partial block fmbox banner per [[Special:PermaLink/1028105567#pblock-style]] */ .mw-contributions-blocked-notice-partial .mw-warning-with-logexcerpt { border-color: #fc3; background-color: #fef6e7; } /* These mbox-small classes must be placed after all other ambox/tmbox/ombox etc classes. "html body.mediawiki" is so they override "table.ambox + table.ambox" above. */ html body.mediawiki .mbox-small { /* For the "small=yes" option. */ /* @noflip */ clear: right; /* @noflip */ float: right; /* @noflip */ margin: 4px 0 4px 1em; box-sizing: border-box; width: 238px; font-size: 88%; line-height: 1.25em; } html body.mediawiki .mbox-small-left { /* For the "small=left" option. */ /* @noflip */ margin: 4px 1em 4px 0; box-sizing: border-box; overflow: hidden; width: 238px; border-collapse: collapse; font-size: 88%; line-height: 1.25em; } /* Style for compact ambox */ /* Hide the images */ .compact-ambox table .mbox-image, .compact-ambox table .mbox-imageright, .compact-ambox table .mbox-empty-cell { display: none; } /* Remove borders, backgrounds, padding, etc. */ .compact-ambox table.ambox { border: none; border-collapse: collapse; background-color: transparent; margin: 0 0 0 1.6em !important; padding: 0 !important; width: auto; display: block; } body.mediawiki .compact-ambox table.mbox-small-left { font-size: 100%; width: auto; margin: 0; } /* Style the text cell as a list item and remove its padding */ .compact-ambox table .mbox-text { padding: 0 !important; margin: 0 !important; } .compact-ambox table .mbox-text-span { display: list-item; line-height: 1.5em; list-style-type: square; list-style-image: url(/w/skins/MonoBook/resources/images/bullet.svg); } /* Allow for hiding text in compact form */ .compact-ambox .hide-when-compact { display: none; } /* Remove underlines from certain links */ .nounderlines a, .IPA a:link, .IPA a:visited { text-decoration: none !important; } /* Prevent line breaks in silly places where desired (nowrap) and links when we don't want them to (nowraplinks a) */ .nowrap, .nowraplinks a { white-space: nowrap; } /* But allow wrapping where desired: */ .wrap, .wraplinks a { white-space: normal; } /* Increase the height of the image upload box */ #wpUploadDescription { height: 13em; } /* Minimum thumb width */ .thumbinner { min-width: 100px; } /* Prevent floating boxes from overlapping any category listings, file histories, edit previews, and edit [Show changes] views. */ #mw-subcategories, #mw-pages, #mw-category-media, #filehistory, #wikiPreview, #wikiDiff { clear: both; } /* Selectively hide headers in WikiProject banners */ /* TemplateStyles */ .wpb .wpb-header { display: none; } .wpbs-inner .wpb .wpb-header { display: table-row; } .wpbs-inner .wpb-outside { display: none; /* hide things that should only display outside shells */ } /* Styling for Abuse Filter tags */ .mw-tag-markers { font-style: italic; font-size: 90%; } /* Hide stuff meant for accounts with special permissions. Made visible again in [[MediaWiki:Group-checkuser.css]], [[MediaWiki:Group-sysop.css]], [[MediaWiki:Group-abusefilter.css]], [[MediaWiki:Group-abusefilter-helper.css]], [[MediaWiki:Group-patroller.css]], [[MediaWiki:Group-templateeditor.css]], [[MediaWiki:Group-extendedmover.css]], [[MediaWiki:Group-extendedconfirmed.css]], and [[Mediawiki:Group-autoconfirmed.css]]. */ .checkuser-show, .sysop-show, .abusefilter-show, .abusefilter-helper-show, .patroller-show, .templateeditor-show, .extendedmover-show, .extendedconfirmed-show, .autoconfirmed-show, .user-show { display: none; } /* Hide the redlink generated by {{Editnotice}}, this overrides the ".sysop-show { display: none; }" above that applies to the same link as well. See [[phab:T45013]] Hide the images in editnotices to keep them readable in VE view. Long term, editnotices should become a core feature so that they can be designed responsive. */ .ve-ui-mwNoticesPopupTool-item .editnotice-redlink, .ve-ui-mwNoticesPopupTool-item .mbox-image, .ve-ui-mwNoticesPopupTool-item .mbox-imageright { display: none !important; } /* Remove bullets when there are multiple edit page warnings */ ul.permissions-errors > li { list-style: none none; } ul.permissions-errors { margin: 0; } /* texhtml class for inline math (based on generic times-serif class) */ span.texhtml { font-family: "Nimbus Roman No9 L", "Times New Roman", Times, serif; font-size: 118%; line-height: 1; white-space: nowrap; /* Force tabular and lining display for texhtml */ -moz-font-feature-settings: "lnum", "tnum", "kern" 0; -webkit-font-feature-settings: "lnum", "tnum", "kern" 0; font-feature-settings: "lnum", "tnum", "kern" 0; font-variant-numeric: lining-nums tabular-nums; font-kerning: none; } span.texhtml span.texhtml { font-size: 100%; } span.mwe-math-mathml-inline { font-size: 118%; } /* Make <math display="block"> be left aligned with one space indent for * compatibility with style conventions */ .mwe-math-fallback-image-display, .mwe-math-mathml-display { margin-left: 1.6em !important; margin-top: 0.6em; margin-bottom: 0.6em; } .mwe-math-mathml-display math { display: inline; } /* Work-around for [[phab:T25965]] / [[phab:T100106]] (Kaltura advertisement) */ .k-player .k-attribution { visibility: hidden; } /* Move 'play' button of video player to bottom left corner */ .PopUpMediaTransform a .play-btn-large { margin: 0; top: auto; right: auto; bottom: 0; left: 0; } @media screen { /* Gallery styles background changes are restricted to screen view. In printing we should avoid applying backgrounds. */ /* The backgrounds for galleries. */ #content .gallerybox div.thumb { /* Light gray padding */ background-color: #f8f9fa; } /* Put a chequered background behind images, only visible if they have transparency. '.filehistory a img' and '#file img:hover' are handled by MediaWiki core (as of 1.19) */ .gallerybox .thumb img { background: #fff url(//upload.wikimedia.org/wikipedia/commons/5/5d/Checker-16x16.png) repeat; } /* But not on articles, user pages, portals or with opt-out. */ .ns-0 .gallerybox .thumb img, .ns-2 .gallerybox .thumb img, .ns-100 .gallerybox .thumb img, .nochecker .gallerybox .thumb img { background-image: none; } /* Display "From Wikipedia, the free encyclopedia" in skins that support it, do not apply to print mode */ #siteSub { display: block; } } /* Hide FlaggedRevs notice UI when there are no pending changes */ .flaggedrevs_draft_synced, .flaggedrevs_stable_synced, /* "Temporary" to remove links in sidebar T255381 */ #t-upload, /* Hide broken download box on Special:Book pending T285400 */ .mw-special-Book #coll-downloadbox { display: none; } /* Fix horizontal scrolling of long edit summaries T158725 */ span.comment { overflow-wrap: break-word; } fbd4b3f17b58ae4b7264bc1244c91ea571f3ac09 Template:Abbr 10 3 5 2024-01-22T03:41:40Z Globalvision 2 Created page with "{{#if:{{{header|}}} |<tr><th colspan="2" class="{{{class|}}}" style="text-align:center; {{{headerstyle|}}}">{{{header}}}</th></tr> |{{#if:{{{data|}}} |<tr class="{{{rowclass|}}}">{{#if:{{{label|}}} |<th scope="row" style="text-align:left; {{{labelstyle|}}}">{{{label}}}</th> <td class="{{{class|}}}" style="{{{datastyle|}}}"> |<td colspan="2" class="{{{class|}}}" style="text-align:center; {{{datastyle|}}}"> }} {{{data}}}</td></tr> }} }}" wikitext text/x-wiki {{#if:{{{header|}}} |<tr><th colspan="2" class="{{{class|}}}" style="text-align:center; {{{headerstyle|}}}">{{{header}}}</th></tr> |{{#if:{{{data|}}} |<tr class="{{{rowclass|}}}">{{#if:{{{label|}}} |<th scope="row" style="text-align:left; {{{labelstyle|}}}">{{{label}}}</th> <td class="{{{class|}}}" style="{{{datastyle|}}}"> |<td colspan="2" class="{{{class|}}}" style="text-align:center; {{{datastyle|}}}"> }} {{{data}}}</td></tr> }} }} 49a1f9f5c244da1b34e5bf561520bb7ad7fe0785 Template:Hatnote 10 4 6 2024-01-22T03:42:47Z Globalvision 2 Created page with "<div class="dablink">{{{1}}}</div>" wikitext text/x-wiki <div class="dablink">{{{1}}}</div> f2c64ff9e27d838a506fae02ebd55dfe29658adc Template:Infobox 10 5 8 2024-01-22T03:45:54Z Globalvision 2 Created page with "{{#ifeq:{{{child|}}}|yes||<table class="infobox {{{bodyclass|}}}" cellspacing="3" style="border-spacing: 3px; width:{{{width|22.5em}}};background:#FAFAFA; float:right; font-size:85%; border: 1px solid #CCCCCC; {{{bodystyle|}}}"><!-- Caption -->{{#if:{{{title|}}}|<caption class="{{{titleclass|}}}" style="{{{titlestyle|}}}">{{{title}}}</caption>}}<!-- Header -->{{#if:{{{above|}}}|<tr><th colspan="2" class="{{{aboveclass|}}}" style="text-align:center; font-size:125%; font..." wikitext text/x-wiki {{#ifeq:{{{child|}}}|yes||<table class="infobox {{{bodyclass|}}}" cellspacing="3" style="border-spacing: 3px; width:{{{width|22.5em}}};background:#FAFAFA; float:right; font-size:85%; border: 1px solid #CCCCCC; {{{bodystyle|}}}"><!-- Caption -->{{#if:{{{title|}}}|<caption class="{{{titleclass|}}}" style="{{{titlestyle|}}}">{{{title}}}</caption>}}<!-- Header -->{{#if:{{{above|}}}|<tr><th colspan="2" class="{{{aboveclass|}}}" style="text-align:center; font-size:125%; font-weight:bold; {{{abovestyle|}}}">{{{above}}}</th></tr>}} }}{{#ifeq:{{{child|}}}|yes|{{#if:{{{title|}}}|'''{{{title}}}'''}}}}<!-- Subheader1 -->{{#if:{{{subheader|{{{subheader1|}}}}}}|{{Infobox/row |data={{{subheader|{{{subheader1|}}}}}} |datastyle={{{subheaderstyle|{{{subheaderstyle1|}}}}}} |class={{{subheaderclass|}}} |rowclass={{{subheaderrowclass|{{{subheaderrowclass1|}}}}}} }} }}<!-- Subheader2 -->{{#if:{{{subheader2|}}}|{{Infobox/row |data={{{subheader2}}} |datastyle={{{subheaderstyle|{{{subheaderstyle2|}}}}}} |class={{{subheaderclass|}}} |rowclass={{{subheaderrowclass2|}}} }} }}<!-- Image1 -->{{#if:{{{image|{{{image1|}}}}}}|{{Infobox/row |data={{{image|{{{image1}}} }}}{{#if:{{{caption|{{{caption1|}}}}}}|<br /><span style="{{{captionstyle|}}}">{{{caption|{{{caption1}}}}}}</span>}} |datastyle={{{imagestyle|}}} |class={{{imageclass|}}} |rowclass={{{imagerowclass1|}}} }} }}<!-- Image2 -->{{#if:{{{image2|}}}|{{Infobox/row |data={{{image2}}}{{#if:{{{caption2|}}}|<br /><span style="{{{captionstyle|}}}">{{{caption2}}}</span>}} |datastyle={{{imagestyle|}}} |class={{{imageclass|}}} |rowclass={{{imagerowclass2|}}} }} }}<!-- -->{{Infobox/row |header={{{header1|}}} |headerstyle={{{headerstyle|}}} |label={{{label1|}}} |labelstyle={{{labelstyle|}}} |data={{{data1|}}} |datastyle={{{datastyle|}}} |class={{{class1|}}} |rowclass={{{rowclass1|}}} }}{{Infobox/row |header={{{header2|}}} |headerstyle={{{headerstyle|}}} |label={{{label2|}}} |labelstyle={{{labelstyle|}}} |data={{{data2|}}} |datastyle={{{datastyle|}}} |class={{{class2|}}} |rowclass={{{rowclass2|}}} }}{{Infobox/row |header={{{header3|}}} |headerstyle={{{headerstyle|}}} |label={{{label3|}}} |labelstyle={{{labelstyle|}}} |data={{{data3|}}} |datastyle={{{datastyle|}}} |class={{{class3|}}} |rowclass={{{rowclass3|}}} }}{{Infobox/row |header={{{header4|}}} |headerstyle={{{headerstyle|}}} |label={{{label4|}}} |labelstyle={{{labelstyle|}}} |data={{{data4|}}} |datastyle={{{datastyle|}}} |class={{{class4|}}} |rowclass={{{rowclass4|}}} }}{{Infobox/row |header={{{header5|}}} |headerstyle={{{headerstyle|}}} |label={{{label5|}}} |labelstyle={{{labelstyle|}}} |data={{{data5|}}} |datastyle={{{datastyle|}}} |class={{{class5|}}} |rowclass={{{rowclass5|}}} }}{{Infobox/row |header={{{header6|}}} |headerstyle={{{headerstyle|}}} |label={{{label6|}}} |labelstyle={{{labelstyle|}}} |data={{{data6|}}} |datastyle={{{datastyle|}}} |class={{{class6|}}} |rowclass={{{rowclass6|}}} }}{{Infobox/row |header={{{header7|}}} |headerstyle={{{headerstyle|}}} |label={{{label7|}}} |labelstyle={{{labelstyle|}}} |data={{{data7|}}} |datastyle={{{datastyle|}}} |class={{{class7|}}} |rowclass={{{rowclass7|}}} }}{{Infobox/row |header={{{header8|}}} |headerstyle={{{headerstyle|}}} |label={{{label8|}}} |labelstyle={{{labelstyle|}}} |data={{{data8|}}} |datastyle={{{datastyle|}}} |class={{{class8|}}} |rowclass={{{rowclass8|}}} }}{{Infobox/row |header={{{header9|}}} |headerstyle={{{headerstyle|}}} |label={{{label9|}}} |labelstyle={{{labelstyle|}}} |data={{{data9|}}} |datastyle={{{datastyle|}}} |class={{{class9|}}} |rowclass={{{rowclass9|}}} }}{{Infobox/row |header={{{header10|}}} |headerstyle={{{headerstyle|}}} |label={{{label10|}}} |labelstyle={{{labelstyle|}}} |data={{{data10|}}} |datastyle={{{datastyle|}}} |class={{{class10|}}} |rowclass={{{rowclass10|}}} }}{{Infobox/row |header={{{header11|}}} |headerstyle={{{headerstyle|}}} |label={{{label11|}}} |labelstyle={{{labelstyle|}}} |data={{{data11|}}} |datastyle={{{datastyle|}}} |class={{{class11|}}} |rowclass={{{rowclass11|}}} }}{{Infobox/row |header={{{header12|}}} |headerstyle={{{headerstyle|}}} |label={{{label12|}}} |labelstyle={{{labelstyle|}}} |data={{{data12|}}} |datastyle={{{datastyle|}}} |class={{{class12|}}} |rowclass={{{rowclass12|}}} }}{{Infobox/row |header={{{header13|}}} |headerstyle={{{headerstyle|}}} |label={{{label13|}}} |labelstyle={{{labelstyle|}}} |data={{{data13|}}} |datastyle={{{datastyle|}}} |class={{{class13|}}} |rowclass={{{rowclass13|}}} }}{{Infobox/row |header={{{header14|}}} |headerstyle={{{headerstyle|}}} |label={{{label14|}}} |labelstyle={{{labelstyle|}}} |data={{{data14|}}} |datastyle={{{datastyle|}}} |class={{{class14|}}} |rowclass={{{rowclass14|}}} }}{{Infobox/row |header={{{header15|}}} |headerstyle={{{headerstyle|}}} |label={{{label15|}}} |labelstyle={{{labelstyle|}}} |data={{{data15|}}} |datastyle={{{datastyle|}}} |class={{{class15|}}} |rowclass={{{rowclass15|}}} }}{{Infobox/row |header={{{header16|}}} |headerstyle={{{headerstyle|}}} |label={{{label16|}}} |labelstyle={{{labelstyle|}}} |data={{{data16|}}} |datastyle={{{datastyle|}}} |class={{{class16|}}} |rowclass={{{rowclass16|}}} }}{{Infobox/row |header={{{header17|}}} |headerstyle={{{headerstyle|}}} |label={{{label17|}}} |labelstyle={{{labelstyle|}}} |data={{{data17|}}} |datastyle={{{datastyle|}}} |class={{{class17|}}} |rowclass={{{rowclass17|}}} }}{{Infobox/row |header={{{header18|}}} |headerstyle={{{headerstyle|}}} |label={{{label18|}}} |labelstyle={{{labelstyle|}}} |data={{{data18|}}} |datastyle={{{datastyle|}}} |class={{{class18|}}} |rowclass={{{rowclass18|}}} }}{{Infobox/row |header={{{header19|}}} |headerstyle={{{headerstyle|}}} |label={{{label19|}}} |labelstyle={{{labelstyle|}}} |data={{{data19|}}} |datastyle={{{datastyle|}}} |class={{{class19|}}} |rowclass={{{rowclass19|}}} }}{{Infobox/row |header={{{header20|}}} |headerstyle={{{headerstyle|}}} |label={{{label20|}}} |labelstyle={{{labelstyle|}}} |data={{{data20|}}} |datastyle={{{datastyle|}}} |class={{{class20|}}} |rowclass={{{rowclass20|}}} }}{{Infobox/row |header={{{header21|}}} |headerstyle={{{headerstyle|}}} |label={{{label21|}}} |labelstyle={{{labelstyle|}}} |data={{{data21|}}} |datastyle={{{datastyle|}}} |class={{{class21|}}} |rowclass={{{rowclass21|}}} }}{{Infobox/row |header={{{header22|}}} |headerstyle={{{headerstyle|}}} |label={{{label22|}}} |labelstyle={{{labelstyle|}}} |data={{{data22|}}} |datastyle={{{datastyle|}}} |class={{{class22|}}} |rowclass={{{rowclass22|}}} }}{{Infobox/row |header={{{header23|}}} |headerstyle={{{headerstyle|}}} |label={{{label23|}}} |labelstyle={{{labelstyle|}}} |data={{{data23|}}} |datastyle={{{datastyle|}}} |class={{{class23|}}} |rowclass={{{rowclass23|}}} }}{{Infobox/row |header={{{header24|}}} |headerstyle={{{headerstyle|}}} |label={{{label24|}}} |labelstyle={{{labelstyle|}}} |data={{{data24|}}} |datastyle={{{datastyle|}}} |class={{{class24|}}} |rowclass={{{rowclass24|}}} }}{{Infobox/row |header={{{header25|}}} |headerstyle={{{headerstyle|}}} |label={{{label25|}}} |labelstyle={{{labelstyle|}}} |data={{{data25|}}} |datastyle={{{datastyle|}}} |class={{{class25|}}} |rowclass={{{rowclass25|}}} }}{{Infobox/row |header={{{header26|}}} |headerstyle={{{headerstyle|}}} |label={{{label26|}}} |labelstyle={{{labelstyle|}}} |data={{{data26|}}} |datastyle={{{datastyle|}}} |class={{{class26|}}} |rowclass={{{rowclass26|}}} }}{{Infobox/row |header={{{header27|}}} |headerstyle={{{headerstyle|}}} |label={{{label27|}}} |labelstyle={{{labelstyle|}}} |data={{{data27|}}} |datastyle={{{datastyle|}}} |class={{{class27|}}} |rowclass={{{rowclass27|}}} }}{{Infobox/row |header={{{header28|}}} |headerstyle={{{headerstyle|}}} |label={{{label28|}}} |labelstyle={{{labelstyle|}}} |data={{{data28|}}} |datastyle={{{datastyle|}}} |class={{{class28|}}} |rowclass={{{rowclass28|}}} }}{{Infobox/row |header={{{header29|}}} |headerstyle={{{headerstyle|}}} |label={{{label29|}}} |labelstyle={{{labelstyle|}}} |data={{{data29|}}} |datastyle={{{datastyle|}}} |class={{{class29|}}} |rowclass={{{rowclass29|}}} }}{{Infobox/row |header={{{header30|}}} |headerstyle={{{headerstyle|}}} |label={{{label30|}}} |labelstyle={{{labelstyle|}}} |data={{{data30|}}} |datastyle={{{datastyle|}}} |class={{{class30|}}} |rowclass={{{rowclass30|}}} }}{{Infobox/row |header={{{header31|}}} |headerstyle={{{headerstyle|}}} |label={{{label31|}}} |labelstyle={{{labelstyle|}}} |data={{{data31|}}} |datastyle={{{datastyle|}}} |class={{{class31|}}} |rowclass={{{rowclass31|}}} }}{{Infobox/row |header={{{header32|}}} |headerstyle={{{headerstyle|}}} |label={{{label32|}}} |labelstyle={{{labelstyle|}}} |data={{{data32|}}} |datastyle={{{datastyle|}}} |class={{{class32|}}} |rowclass={{{rowclass32|}}} }}{{Infobox/row |header={{{header33|}}} |headerstyle={{{headerstyle|}}} |label={{{label33|}}} |labelstyle={{{labelstyle|}}} |data={{{data33|}}} |datastyle={{{datastyle|}}} |class={{{class33|}}} |rowclass={{{rowclass33|}}} }}{{Infobox/row |header={{{header34|}}} |headerstyle={{{headerstyle|}}} |label={{{label34|}}} |labelstyle={{{labelstyle|}}} |data={{{data34|}}} |datastyle={{{datastyle|}}} |class={{{class34|}}} |rowclass={{{rowclass34|}}} }}{{Infobox/row |header={{{header35|}}} |headerstyle={{{headerstyle|}}} |label={{{label35|}}} |labelstyle={{{labelstyle|}}} |data={{{data35|}}} |datastyle={{{datastyle|}}} |class={{{class35|}}} |rowclass={{{rowclass35|}}} }}{{Infobox/row |header={{{header36|}}} |headerstyle={{{headerstyle|}}} |label={{{label36|}}} |labelstyle={{{labelstyle|}}} |data={{{data36|}}} |datastyle={{{datastyle|}}} |class={{{class36|}}} |rowclass={{{rowclass36|}}} }}{{Infobox/row |header={{{header37|}}} |headerstyle={{{headerstyle|}}} |label={{{label37|}}} |labelstyle={{{labelstyle|}}} |data={{{data37|}}} |datastyle={{{datastyle|}}} |class={{{class37|}}} |rowclass={{{rowclass37|}}} }}{{Infobox/row |header={{{header38|}}} |headerstyle={{{headerstyle|}}} |label={{{label38|}}} |labelstyle={{{labelstyle|}}} |data={{{data38|}}} |datastyle={{{datastyle|}}} |class={{{class38|}}} |rowclass={{{rowclass38|}}} }}{{Infobox/row |header={{{header39|}}} |headerstyle={{{headerstyle|}}} |label={{{label39|}}} |labelstyle={{{labelstyle|}}} |data={{{data39|}}} |datastyle={{{datastyle|}}} |class={{{class39|}}} |rowclass={{{rowclass39|}}} }}{{Infobox/row |header={{{header40|}}} |headerstyle={{{headerstyle|}}} |label={{{label40|}}} |labelstyle={{{labelstyle|}}} |data={{{data40|}}} |datastyle={{{datastyle|}}} |class={{{class40|}}} |rowclass={{{rowclass40|}}} }}{{Infobox/row |header={{{header41|}}} |headerstyle={{{headerstyle|}}} |label={{{label41|}}} |labelstyle={{{labelstyle|}}} |data={{{data41|}}} |datastyle={{{datastyle|}}} |class={{{class41|}}} |rowclass={{{rowclass41|}}} }}{{Infobox/row |header={{{header42|}}} |headerstyle={{{headerstyle|}}} |label={{{label42|}}} |labelstyle={{{labelstyle|}}} |data={{{data42|}}} |datastyle={{{datastyle|}}} |class={{{class42|}}} |rowclass={{{rowclass42|}}} }}{{Infobox/row |header={{{header43|}}} |headerstyle={{{headerstyle|}}} |label={{{label43|}}} |labelstyle={{{labelstyle|}}} |data={{{data43|}}} |datastyle={{{datastyle|}}} |class={{{class43|}}} |rowclass={{{rowclass43|}}} }}{{Infobox/row |header={{{header44|}}} |headerstyle={{{headerstyle|}}} |label={{{label44|}}} |labelstyle={{{labelstyle|}}} |data={{{data44|}}} |datastyle={{{datastyle|}}} |class={{{class44|}}} |rowclass={{{rowclass44|}}} }}{{Infobox/row |header={{{header45|}}} |headerstyle={{{headerstyle|}}} |label={{{label45|}}} |labelstyle={{{labelstyle|}}} |data={{{data45|}}} |datastyle={{{datastyle|}}} |class={{{class45|}}} |rowclass={{{rowclass45|}}} }}{{Infobox/row |header={{{header46|}}} |headerstyle={{{headerstyle|}}} |label={{{label46|}}} |labelstyle={{{labelstyle|}}} |data={{{data46|}}} |datastyle={{{datastyle|}}} |class={{{class46|}}} |rowclass={{{rowclass46|}}} }}{{Infobox/row |header={{{header47|}}} |headerstyle={{{headerstyle|}}} |label={{{label47|}}} |labelstyle={{{labelstyle|}}} |data={{{data47|}}} |datastyle={{{datastyle|}}} |class={{{class47|}}} |rowclass={{{rowclass47|}}} }}{{Infobox/row |header={{{header48|}}} |headerstyle={{{headerstyle|}}} |label={{{label48|}}} |labelstyle={{{labelstyle|}}} |data={{{data48|}}} |datastyle={{{datastyle|}}} |class={{{class48|}}} |rowclass={{{rowclass48|}}} }}{{Infobox/row |header={{{header49|}}} |headerstyle={{{headerstyle|}}} |label={{{label49|}}} |labelstyle={{{labelstyle|}}} |data={{{data49|}}} |datastyle={{{datastyle|}}} |class={{{class49|}}} |rowclass={{{rowclass49|}}} }}{{Infobox/row |header={{{header50|}}} |headerstyle={{{headerstyle|}}} |label={{{label50|}}} |labelstyle={{{labelstyle|}}} |data={{{data50|}}} |datastyle={{{datastyle|}}} |class={{{class50|}}} |rowclass={{{rowclass50|}}} }}{{Infobox/row |header={{{header51|}}} |headerstyle={{{headerstyle|}}} |label={{{label51|}}} |labelstyle={{{labelstyle|}}} |data={{{data51|}}} |datastyle={{{datastyle|}}} |class={{{class51|}}} |rowclass={{{rowclass51|}}} }}{{Infobox/row |header={{{header52|}}} |headerstyle={{{headerstyle|}}} |label={{{label52|}}} |labelstyle={{{labelstyle|}}} |data={{{data52|}}} |datastyle={{{datastyle|}}} |class={{{class52|}}} |rowclass={{{rowclass52|}}} }}{{Infobox/row |header={{{header53|}}} |headerstyle={{{headerstyle|}}} |label={{{label53|}}} |labelstyle={{{labelstyle|}}} |data={{{data53|}}} |datastyle={{{datastyle|}}} |class={{{class53|}}} |rowclass={{{rowclass53|}}} }}{{Infobox/row |header={{{header54|}}} |headerstyle={{{headerstyle|}}} |label={{{label54|}}} |labelstyle={{{labelstyle|}}} |data={{{data54|}}} |datastyle={{{datastyle|}}} |class={{{class54|}}} |rowclass={{{rowclass54|}}} }}{{Infobox/row |header={{{header55|}}} |headerstyle={{{headerstyle|}}} |label={{{label55|}}} |labelstyle={{{labelstyle|}}} |data={{{data55|}}} |datastyle={{{datastyle|}}} |class={{{class55|}}} |rowclass={{{rowclass55|}}} }}{{Infobox/row |header={{{header56|}}} |headerstyle={{{headerstyle|}}} |label={{{label56|}}} |labelstyle={{{labelstyle|}}} |data={{{data56|}}} |datastyle={{{datastyle|}}} |class={{{class56|}}} |rowclass={{{rowclass56|}}} }}{{Infobox/row |header={{{header57|}}} |headerstyle={{{headerstyle|}}} |label={{{label57|}}} |labelstyle={{{labelstyle|}}} |data={{{data57|}}} |datastyle={{{datastyle|}}} |class={{{class57|}}} |rowclass={{{rowclass57|}}} }}{{Infobox/row |header={{{header58|}}} |headerstyle={{{headerstyle|}}} |label={{{label58|}}} |labelstyle={{{labelstyle|}}} |data={{{data58|}}} |datastyle={{{datastyle|}}} |class={{{class58|}}} |rowclass={{{rowclass58|}}} }}{{Infobox/row |header={{{header59|}}} |headerstyle={{{headerstyle|}}} |label={{{label59|}}} |labelstyle={{{labelstyle|}}} |data={{{data59|}}} |datastyle={{{datastyle|}}} |class={{{class59|}}} |rowclass={{{rowclass59|}}} }}{{Infobox/row |header={{{header60|}}} |headerstyle={{{headerstyle|}}} |label={{{label60|}}} |labelstyle={{{labelstyle|}}} |data={{{data60|}}} |datastyle={{{datastyle|}}} |class={{{class60|}}} |rowclass={{{rowclass60|}}} }}{{Infobox/row |header={{{header61|}}} |headerstyle={{{headerstyle|}}} |label={{{label61|}}} |labelstyle={{{labelstyle|}}} |data={{{data61|}}} |datastyle={{{datastyle|}}} |class={{{class61|}}} |rowclass={{{rowclass61|}}} }}{{Infobox/row |header={{{header62|}}} |headerstyle={{{headerstyle|}}} |label={{{label62|}}} |labelstyle={{{labelstyle|}}} |data={{{data62|}}} |datastyle={{{datastyle|}}} |class={{{class62|}}} |rowclass={{{rowclass62|}}} }}{{Infobox/row |header={{{header63|}}} |headerstyle={{{headerstyle|}}} |label={{{label63|}}} |labelstyle={{{labelstyle|}}} |data={{{data63|}}} |datastyle={{{datastyle|}}} |class={{{class63|}}} |rowclass={{{rowclass63|}}} }}{{Infobox/row |header={{{header64|}}} |headerstyle={{{headerstyle|}}} |label={{{label64|}}} |labelstyle={{{labelstyle|}}} |data={{{data64|}}} |datastyle={{{datastyle|}}} |class={{{class64|}}} |rowclass={{{rowclass64|}}} }}{{Infobox/row |header={{{header65|}}} |headerstyle={{{headerstyle|}}} |label={{{label65|}}} |labelstyle={{{labelstyle|}}} |data={{{data65|}}} |datastyle={{{datastyle|}}} |class={{{class65|}}} |rowclass={{{rowclass65|}}} }}{{Infobox/row |header={{{header66|}}} |headerstyle={{{headerstyle|}}} |label={{{label66|}}} |labelstyle={{{labelstyle|}}} |data={{{data66|}}} |datastyle={{{datastyle|}}} |class={{{class66|}}} |rowclass={{{rowclass66|}}} }}{{Infobox/row |header={{{header67|}}} |headerstyle={{{headerstyle|}}} |label={{{label67|}}} |labelstyle={{{labelstyle|}}} |data={{{data67|}}} |datastyle={{{datastyle|}}} |class={{{class67|}}} |rowclass={{{rowclass67|}}} }}{{Infobox/row |header={{{header68|}}} |headerstyle={{{headerstyle|}}} |label={{{label68|}}} |labelstyle={{{labelstyle|}}} |data={{{data68|}}} |datastyle={{{datastyle|}}} |class={{{class68|}}} |rowclass={{{rowclass68|}}} }}{{Infobox/row |header={{{header69|}}} |headerstyle={{{headerstyle|}}} |label={{{label69|}}} |labelstyle={{{labelstyle|}}} |data={{{data69|}}} |datastyle={{{datastyle|}}} |class={{{class69|}}} |rowclass={{{rowclass69|}}} }}{{Infobox/row |header={{{header70|}}} |headerstyle={{{headerstyle|}}} |label={{{label70|}}} |labelstyle={{{labelstyle|}}} |data={{{data70|}}} |datastyle={{{datastyle|}}} |class={{{class70|}}} |rowclass={{{rowclass70|}}} }}{{Infobox/row |header={{{header71|}}} |headerstyle={{{headerstyle|}}} |label={{{label71|}}} |labelstyle={{{labelstyle|}}} |data={{{data71|}}} |datastyle={{{datastyle|}}} |class={{{class71|}}} |rowclass={{{rowclass71|}}} }}{{Infobox/row |header={{{header72|}}} |headerstyle={{{headerstyle|}}} |label={{{label72|}}} |labelstyle={{{labelstyle|}}} |data={{{data72|}}} |datastyle={{{datastyle|}}} |class={{{class72|}}} |rowclass={{{rowclass72|}}} }}{{Infobox/row |header={{{header73|}}} |headerstyle={{{headerstyle|}}} |label={{{label73|}}} |labelstyle={{{labelstyle|}}} |data={{{data73|}}} |datastyle={{{datastyle|}}} |class={{{class73|}}} |rowclass={{{rowclass73|}}} }}{{Infobox/row |header={{{header74|}}} |headerstyle={{{headerstyle|}}} |label={{{label74|}}} |labelstyle={{{labelstyle|}}} |data={{{data74|}}} |datastyle={{{datastyle|}}} |class={{{class74|}}} |rowclass={{{rowclass74|}}} }}{{Infobox/row |header={{{header75|}}} |headerstyle={{{headerstyle|}}} |label={{{label75|}}} |labelstyle={{{labelstyle|}}} |data={{{data75|}}} |datastyle={{{datastyle|}}} |class={{{class75|}}} |rowclass={{{rowclass75|}}} }}{{Infobox/row |header={{{header76|}}} |headerstyle={{{headerstyle|}}} |label={{{label76|}}} |labelstyle={{{labelstyle|}}} |data={{{data76|}}} |datastyle={{{datastyle|}}} |class={{{class76|}}} |rowclass={{{rowclass76|}}} }}{{Infobox/row |header={{{header77|}}} |headerstyle={{{headerstyle|}}} |label={{{label77|}}} |labelstyle={{{labelstyle|}}} |data={{{data77|}}} |datastyle={{{datastyle|}}} |class={{{class77|}}} |rowclass={{{rowclass77|}}} }}{{Infobox/row |header={{{header78|}}} |headerstyle={{{headerstyle|}}} |label={{{label78|}}} |labelstyle={{{labelstyle|}}} |data={{{data78|}}} |datastyle={{{datastyle|}}} |class={{{class78|}}} |rowclass={{{rowclass78|}}} }}{{Infobox/row |header={{{header79|}}} |headerstyle={{{headerstyle|}}} |label={{{label79|}}} |labelstyle={{{labelstyle|}}} |data={{{data79|}}} |datastyle={{{datastyle|}}} |class={{{class79|}}} |rowclass={{{rowclass79|}}} }}{{Infobox/row |header={{{header80|}}} |headerstyle={{{headerstyle|}}} |label={{{label80|}}} |labelstyle={{{labelstyle|}}} |data={{{data80|}}} |datastyle={{{datastyle|}}} |class={{{class80|}}} |rowclass={{{rowclass80|}}} }}{{Infobox/row |header={{{header81|}}} |headerstyle={{{headerstyle|}}} |label={{{label81|}}} |labelstyle={{{labelstyle|}}} |data={{{data81|}}} |datastyle={{{datastyle|}}} |class={{{class81|}}} |rowclass={{{rowclass81|}}} }}{{Infobox/row |header={{{header82|}}} |headerstyle={{{headerstyle|}}} |label={{{label82|}}} |labelstyle={{{labelstyle|}}} |data={{{data82|}}} |datastyle={{{datastyle|}}} |class={{{class82|}}} |rowclass={{{rowclass82|}}} }}{{Infobox/row |header={{{header83|}}} |headerstyle={{{headerstyle|}}} |label={{{label83|}}} |labelstyle={{{labelstyle|}}} |data={{{data83|}}} |datastyle={{{datastyle|}}} |class={{{class83|}}} |rowclass={{{rowclass83|}}} }}{{Infobox/row |header={{{header84|}}} |headerstyle={{{headerstyle|}}} |label={{{label84|}}} |labelstyle={{{labelstyle|}}} |data={{{data84|}}} |datastyle={{{datastyle|}}} |class={{{class84|}}} |rowclass={{{rowclass84|}}} }}{{Infobox/row |header={{{header85|}}} |headerstyle={{{headerstyle|}}} |label={{{label85|}}} |labelstyle={{{labelstyle|}}} |data={{{data85|}}} |datastyle={{{datastyle|}}} |class={{{class85|}}} |rowclass={{{rowclass85|}}} }}{{Infobox/row |header={{{header86|}}} |headerstyle={{{headerstyle|}}} |label={{{label86|}}} |labelstyle={{{labelstyle|}}} |data={{{data86|}}} |datastyle={{{datastyle|}}} |class={{{class86|}}} |rowclass={{{rowclass86|}}} }}{{Infobox/row |header={{{header87|}}} |headerstyle={{{headerstyle|}}} |label={{{label87|}}} |labelstyle={{{labelstyle|}}} |data={{{data87|}}} |datastyle={{{datastyle|}}} |class={{{class87|}}} |rowclass={{{rowclass87|}}} }}{{Infobox/row |header={{{header88|}}} |headerstyle={{{headerstyle|}}} |label={{{label88|}}} |labelstyle={{{labelstyle|}}} |data={{{data88|}}} |datastyle={{{datastyle|}}} |class={{{class88|}}} |rowclass={{{rowclass88|}}} }}{{Infobox/row |header={{{header89|}}} |headerstyle={{{headerstyle|}}} |label={{{label89|}}} |labelstyle={{{labelstyle|}}} |data={{{data89|}}} |datastyle={{{datastyle|}}} |class={{{class89|}}} |rowclass={{{rowclass89|}}} }}{{Infobox/row |header={{{header90|}}} |headerstyle={{{headerstyle|}}} |label={{{label90|}}} |labelstyle={{{labelstyle|}}} |data={{{data90|}}} |datastyle={{{datastyle|}}} |class={{{class90|}}} |rowclass={{{rowclass90|}}} }}{{Infobox/row |header={{{header91|}}} |headerstyle={{{headerstyle|}}} |label={{{label91|}}} |labelstyle={{{labelstyle|}}} |data={{{data91|}}} |datastyle={{{datastyle|}}} |class={{{class91|}}} |rowclass={{{rowclass91|}}} }}{{Infobox/row |header={{{header92|}}} |headerstyle={{{headerstyle|}}} |label={{{label92|}}} |labelstyle={{{labelstyle|}}} |data={{{data92|}}} |datastyle={{{datastyle|}}} |class={{{class92|}}} |rowclass={{{rowclass92|}}} }}{{Infobox/row |header={{{header93|}}} |headerstyle={{{headerstyle|}}} |label={{{label93|}}} |labelstyle={{{labelstyle|}}} |data={{{data93|}}} |datastyle={{{datastyle|}}} |class={{{class93|}}} |rowclass={{{rowclass93|}}} }}{{Infobox/row |header={{{header94|}}} |headerstyle={{{headerstyle|}}} |label={{{label94|}}} |labelstyle={{{labelstyle|}}} |data={{{data94|}}} |datastyle={{{datastyle|}}} |class={{{class94|}}} |rowclass={{{rowclass94|}}} }}{{Infobox/row |header={{{header95|}}} |headerstyle={{{headerstyle|}}} |label={{{label95|}}} |labelstyle={{{labelstyle|}}} |data={{{data95|}}} |datastyle={{{datastyle|}}} |class={{{class95|}}} |rowclass={{{rowclass95|}}} }}{{Infobox/row |header={{{header96|}}} |headerstyle={{{headerstyle|}}} |label={{{label96|}}} |labelstyle={{{labelstyle|}}} |data={{{data96|}}} |datastyle={{{datastyle|}}} |class={{{class96|}}} |rowclass={{{rowclass96|}}} }}{{Infobox/row |header={{{header97|}}} |headerstyle={{{headerstyle|}}} |label={{{label97|}}} |labelstyle={{{labelstyle|}}} |data={{{data97|}}} |datastyle={{{datastyle|}}} |class={{{class97|}}} |rowclass={{{rowclass97|}}} }}{{Infobox/row |header={{{header98|}}} |headerstyle={{{headerstyle|}}} |label={{{label98|}}} |labelstyle={{{labelstyle|}}} |data={{{data98|}}} |datastyle={{{datastyle|}}} |class={{{class98|}}} |rowclass={{{rowclass98|}}} }}{{Infobox/row |header={{{header99|}}} |headerstyle={{{headerstyle|}}} |label={{{label99|}}} |labelstyle={{{labelstyle|}}} |data={{{data99|}}} |datastyle={{{datastyle|}}} |class={{{class99|}}} |rowclass={{{rowclass99|}}} }}<!-- Below -->{{#if:{{{below|}}}|<tr><td colspan="2" class="{{{belowclass|}}}" style="text-align:center; {{{belowstyle|}}}">{{{below}}}</td></tr>}}<!-- Navbar -->{{#if:{{{name|}}}|<tr><td colspan="2" style="text-align:right">{{navbar|{{{name}}}|mini=1}}</td></tr>}} {{#ifeq:{{{child|}}}|yes||</table>}}{{#switch:{{lc:{{{italic title|¬}}}}} |¬|no = <!-- no italic title --> ||force|yes = {{italic title|force={{#ifeq:{{lc:{{{italic title|}}}}}|force|true}}}} }}<includeonly>{{#ifeq:{{{decat|}}}|yes||{{#if:{{{data1|}}}{{{data2|}}}{{{data3|}}}{{{data4|}}}{{{data5|}}}{{{data6|}}}{{{data7|}}}{{{data8|}}}{{{data9|}}}{{{data10|}}}{{{data11|}}}{{{data12|}}}{{{data13|}}}{{{data14|}}}{{{data15|}}}{{{data16|}}}{{{data17|}}}{{{data18|}}}{{{data19|}}}{{{data20|}}}{{{data21|}}}{{{data22|}}}{{{data23|}}}{{{data24|}}}{{{data25|}}}{{{data26|}}}{{{data27|}}}{{{data28|}}}{{{data29|}}}{{{data30|}}}{{{data31|}}}{{{data32|}}}{{{data33|}}}{{{data34|}}}{{{data35|}}}{{{data36|}}}{{{data37|}}}{{{data38|}}}{{{data39|}}}{{{data40|}}}{{{data41|}}}{{{data42|}}}{{{data43|}}}{{{data44|}}}{{{data45|}}}{{{data46|}}}{{{data47|}}}{{{data48|}}}{{{data49|}}}{{{data50|}}}{{{data51|}}}{{{data52|}}}{{{data53|}}}{{{data54|}}}{{{data55|}}}{{{data56|}}}{{{data57|}}}{{{data58|}}}{{{data59|}}}{{{data60|}}}{{{data61|}}}{{{data62|}}}{{{data63|}}}{{{data64|}}}{{{data65|}}}{{{data66|}}}{{{data67|}}}{{{data68|}}}{{{data69|}}}{{{data70|}}}{{{data71|}}}{{{data72|}}}{{{data73|}}}{{{data74|}}}{{{data75|}}}{{{data76|}}}{{{data77|}}}{{{data78|}}}{{{data79|}}}{{{data80|}}}{{{data81|}}}{{{data82|}}}{{{data83|}}}{{{data84|}}}{{{data85|}}}{{{data86|}}}{{{data87|}}}{{{data88|}}}{{{data89|}}}{{{data90|}}}{{{data91|}}}{{{data92|}}}{{{data93|}}}{{{data94|}}}{{{data95|}}}{{{data96|}}}{{{data97|}}}{{{data98|}}}{{{data99|}}}||{{namespace detect|main=[[category:articles which use infobox templates with no data rows]]}}}}}}</includeonly><noinclude>{{documentation}}</noinclude> b508229b0fbd48db74979b1de9daf3d40b34430d Template:Infobox/row 10 7 9 2024-01-22T03:46:10Z Globalvision 2 Created page with "{{#if:{{{header|}}} |<tr><th colspan="2" class="{{{class|}}}" style="text-align:center; {{{headerstyle|}}}">{{{header}}}</th></tr> |{{#if:{{{data|}}} |<tr class="{{{rowclass|}}}">{{#if:{{{label|}}} |<th scope="row" style="text-align:left; {{{labelstyle|}}}">{{{label}}}</th> <td class="{{{class|}}}" style="{{{datastyle|}}}"> |<td colspan="2" class="{{{class|}}}" style="text-align:center; {{{datastyle|}}}"> }} {{{data}}}</td></tr> }} }}" wikitext text/x-wiki {{#if:{{{header|}}} |<tr><th colspan="2" class="{{{class|}}}" style="text-align:center; {{{headerstyle|}}}">{{{header}}}</th></tr> |{{#if:{{{data|}}} |<tr class="{{{rowclass|}}}">{{#if:{{{label|}}} |<th scope="row" style="text-align:left; {{{labelstyle|}}}">{{{label}}}</th> <td class="{{{class|}}}" style="{{{datastyle|}}}"> |<td colspan="2" class="{{{class|}}}" style="text-align:center; {{{datastyle|}}}"> }} {{{data}}}</td></tr> }} }} 49a1f9f5c244da1b34e5bf561520bb7ad7fe0785 File:Eurovoice Logo.png 6 8 10 2024-01-22T03:47:36Z Globalvision 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Template:Greece 10 9 11 2024-01-22T03:49:15Z Globalvision 2 Created page with "[[File:GreeceMelfest.png|22px|border|link=]] [[Greece{{{1|}}}|Greece]]" wikitext text/x-wiki [[File:GreeceMelfest.png|22px|border|link=]] [[Greece{{{1|}}}|Greece]] 24b80a0ebe13abd7ee1a16c096a8c8ba0b2878a1 26 11 2024-01-22T12:12:21Z Globalvision 2 wikitext text/x-wiki [[File:Flag of Greece.svg|23px|border|link=]] [[Greece]] 4357ad448c351a2fbf350ef73b6fedb97c6f06eb Template:Austria 10 10 12 2024-01-22T12:05:47Z Globalvision 2 Created page with "[[File:Flag of Austria.svg|23px|border|link=]] [[Austria]]" wikitext text/x-wiki [[File:Flag of Austria.svg|23px|border|link=]] [[Austria]] b70ca5057e17d38f36faeab0a566c22a46ec5b2c Template:Belgium 10 11 13 2024-01-22T12:06:01Z Globalvision 2 Created page with "[[File:Flag of Belgium.svg|23px|border|link=]] [[Belgium]]" wikitext text/x-wiki [[File:Flag of Belgium.svg|23px|border|link=]] [[Belgium]] aab1f0db3bb62d794b8a2d75d965c2249b73c51d Template:Croatia 10 12 14 2024-01-22T12:06:34Z Globalvision 2 Created page with "[[File:Flag of Croatia.svg|23px|border|link=]] [[Croatia]]" wikitext text/x-wiki [[File:Flag of Croatia.svg|23px|border|link=]] [[Croatia]] 10884508160ab884e33118e78ceb2db1706556d8 Template:Denmark 10 13 15 2024-01-22T12:06:51Z Globalvision 2 Created page with "[[File:Flag of Denmark.svg|23px|border|link=]] [[Denmark]]" wikitext text/x-wiki [[File:Flag of Denmark.svg|23px|border|link=]] [[Denmark]] e31e4d295d589e98bc1b917ac94688394122eeec Template:Finland 10 14 16 2024-01-22T12:08:30Z Globalvision 2 Created page with "[[File:Flag of Finland.svg|23px|border|link=]] [[Finland]]" wikitext text/x-wiki [[File:Flag of Finland.svg|23px|border|link=]] [[Finland]] acedb54a222d9f5fadc6d1d0efc11d895bb3fab3 Template:France 10 15 17 2024-01-22T12:09:32Z Globalvision 2 Created page with "[[File:Flag of France.svg|23px|border|link=]] [[France]]" wikitext text/x-wiki [[File:Flag of France.svg|23px|border|link=]] [[France]] 5dd70e5fb69e73be1ab79a8f2913cab2931b5dca Template:Germany 10 16 18 2024-01-22T12:09:46Z Globalvision 2 Created page with "[[File:Flag of Germany.svg|23px|border|link=]] [[Germany]]" wikitext text/x-wiki [[File:Flag of Germany.svg|23px|border|link=]] [[Germany]] ac587495cfb0f5a968617e29fe6a5c5e65616f42 Template:Poland 10 17 19 2024-01-22T12:12:03Z Globalvision 2 Created page with "[[File:Flag of Poland.svg|23px|border|link=]] [[Poland]]" wikitext text/x-wiki [[File:Flag of Poland.svg|23px|border|link=]] [[Poland]] aefb45e8b351f81867fc5273751d54aba5a3f935 Template:Norway 10 18 20 2024-01-22T12:12:05Z Globalvision 2 Created page with "[[File:Flag of Norway.svg|23px|border|link=]] [[Norway]]" wikitext text/x-wiki [[File:Flag of Norway.svg|23px|border|link=]] [[Norway]] 3343f1e9330e7a10f52745c77d17ae6176983e5f Template:Netherlands 10 19 21 2024-01-22T12:12:07Z Globalvision 2 Created page with "[[File:Flag of Netherlands.svg|23px|border|link=]] [[Netherlands]]" wikitext text/x-wiki [[File:Flag of Netherlands.svg|23px|border|link=]] [[Netherlands]] cf8c5b684105a37403844f979275c152e029c388 Template:Luxembourg 10 20 22 2024-01-22T12:12:10Z Globalvision 2 Created page with "[[File:Flag of Luxembourg.svg|23px|border|link=]] [[Luxembourg]]" wikitext text/x-wiki [[File:Flag of Luxembourg.svg|23px|border|link=]] [[Luxembourg]] a0fb9c8ef7c0cbccfcac7d2deb376206603f1e48 Template:Italy 10 21 23 2024-01-22T12:12:12Z Globalvision 2 Created page with "[[File:Flag of Italy.svg|23px|border|link=]] [[Italy]]" wikitext text/x-wiki [[File:Flag of Italy.svg|23px|border|link=]] [[Italy]] 180570098eb377dcb89adb58e6ebb038ca1b07ca Template:Ireland 10 22 24 2024-01-22T12:12:16Z Globalvision 2 Created page with "[[File:Flag of Ireland.svg|23px|border|link=]] [[Ireland]]" wikitext text/x-wiki [[File:Flag of Ireland.svg|23px|border|link=]] [[Ireland]] 31776e37a43d5ab65718039c35815a51fda0f26c Template:Iceland 10 23 25 2024-01-22T12:12:19Z Globalvision 2 Created page with "[[File:Flag of Iceland.svg|23px|border|link=]] [[Iceland]]" wikitext text/x-wiki [[File:Flag of Iceland.svg|23px|border|link=]] [[Iceland]] f729e16c21472ea057eeb32cd75d081344b18d11 Template:Switzerland 10 24 27 2024-01-22T12:13:58Z Globalvision 2 Created page with "[[File:Flag of Switzerland.svg|23px|border|link=]] [[Switzerland]]" wikitext text/x-wiki [[File:Flag of Switzerland.svg|23px|border|link=]] [[Switzerland]] 7251f80e82f9aca9441344e219aa39c0b9ccf9be Template:United Kingdom 10 25 28 2024-01-22T12:14:28Z Globalvision 2 Created page with "[[File:Flag of United Kingdom.svg|23px|border|link=]] [[United Kingdom]]" wikitext text/x-wiki [[File:Flag of United Kingdom.svg|23px|border|link=]] [[United Kingdom]] 51dd1f59018927b8cb49ba49bb4d594fb5540739 Template:Portugal 10 26 29 2024-01-22T12:14:30Z Globalvision 2 Created page with "[[File:Flag of Portugal.svg|23px|border|link=]] [[Portugal]]" wikitext text/x-wiki [[File:Flag of Portugal.svg|23px|border|link=]] [[Portugal]] 920119dce5e5d502a983976707a9d5e296d37c56 Template:Sweden 10 27 30 2024-01-22T12:14:33Z Globalvision 2 Created page with "[[File:Flag of Sweden.svg|23px|border|link=]] [[Sweden]]" wikitext text/x-wiki [[File:Flag of Sweden.svg|23px|border|link=]] [[Sweden]] bb78a2dfae54e6e8ef732a118cfde330a84c29a2 Template:Spain 10 28 31 2024-01-22T12:14:35Z Globalvision 2 Created page with "[[File:Flag of Spain.svg|23px|border|link=]] [[Spain]]" wikitext text/x-wiki [[File:Flag of Spain.svg|23px|border|link=]] [[Spain]] f314726d5c0c743673e9cb7a09389e5bc60e9029 Eurovoice 2024 0 29 34 2024-01-22T12:22:40Z Globalvision 2 Created page with "{{Infobox edition|name = The Song|year = |theme = |size =299px |dates = |host =[[Wikipedia:Raidió Teilifís Éireann|Raidió Teilifís Éireann (RTÉ)]] |entries = 44|host country = |debut = All of the participants|winner ={{Netherlands}}<br>"[[Hard to Say Goodbye]]"|logo = The Song 1 Logo.png|nex2 =2 <!-- Map Legend Colours --> |map year = 1|Green =Y |Red =Y|Red2 =Did not qualify from the semi finals |уear = 1|final =11 June 2022 |venue =[[Wikipedia:3Arena|3Arena]]<br..." wikitext text/x-wiki {{Infobox edition|name = The Song|year = |theme = |size =299px |dates = |host =[[Wikipedia:Raidió Teilifís Éireann|Raidió Teilifís Éireann (RTÉ)]] |entries = 44|host country = |debut = All of the participants|winner ={{Netherlands}}<br>"[[Hard to Say Goodbye]]"|logo = The Song 1 Logo.png|nex2 =2 <!-- Map Legend Colours --> |map year = 1|Green =Y |Red =Y|Red2 =Did not qualify from the semi finals |уear = 1|final =11 June 2022 |venue =[[Wikipedia:3Arena|3Arena]]<br>[[wikipedia:Dublin|Dublin]], [[Wikipedia:Ireland|Ireland]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =[[Wikipedia:Brooke Scullion|Brooke Scullion]]<br>[[wikipedia:Nicky Byrne|Nicky Byrne]] |semi2 =3 June 2022 |semi1 = 31 May 2022 |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} '''The''' '''Song 1''' was the first edition of [[The Song]]. It took place in [[Wikipedia:Dublin|Dublin]], Ireland. Organised by the [[Wikipedia:European Broadcasting Union|European Broadcasting Union]] (EBU) and host broadcaster [[Wikipedia:Raidió Teilifís Éireann|Raidió Teilifís Éireann]] (RTÉ), the contest was held at the [[Wikipedia:3Arena|3Arena]], and consisted of two semi-finals on 31 May and 3 June, and a final on 11 June 2022. The three live shows were presented by Irish singer [[Wikipedia:Brooke Scullion|Brooke Scullion]] and Irish singer, songwriter and presenter [[Wikipedia:Nicky Byrne|Nicky Byrne]]. The '''Eurovision Song Contest 2024''' is set to be the 68th edition of the [[Eurovision Song Contest]]. It is scheduled to take place in [[Malmö]], [[Sweden]], following the country's victory at the {{Escyr|2023|3=2023 contest}} with the song "[[Tattoo (Loreen song)|Tattoo]]" by [[Loreen]]. Organised by the [[European Broadcasting Union]] (EBU) and host broadcaster {{lang|sv|[[Sveriges Television]]|i=unset}} (SVT), the contest will be held at the [[Malmö Arena]], and will consist of two semi-finals on 7 and 9 May, and a final on 11 May 2024.<ref name=":0">{{Cite web |date=2023-07-07 |title=Malmö will host the 68th Eurovision Song Contest in May 2024 |url=https://eurovision.tv/story/malmo-will-host-68th-eurovision-song-contest-may-2024 |access-date=2023-07-07 |website=Eurovision.tv |publisher=[[European Broadcasting Union]] (EBU)}}</ref> It will be the third edition of the contest to take place in Malmö, which hosted it in {{Escyr|1992}} and {{Escyr|2013}}, and the seventh in Sweden, which last hosted it in [[Stockholm]] in {{Escyr|2016}}. Thirty-seven countries were confirmed to participate in the contest, with {{esccnty|Luxembourg}} returning 31 years after its last participation in {{Escyr|1993}}, while {{esccnty|Romania}} is still in discussion regarding its participation. == Location == [[File:Malmö_Arena,_augusti_2014-2.jpg|left|thumb|200x200px|[[Malmö Arena]]{{Snd}}host venue of the 2024 contest]] <mapframe width="302" height="280" align="left" text="Location of host venue (red) and other contest-related sites and events (blue)"> [{ "type":"Feature", "geometry":{"type":"Point","coordinates":[12.976111,55.565278]}, "properties":{"title":"[[Malmö Arena]]","marker-symbol":"stadium","marker-color":"#f00","marker-size":"large"} },{ "type":"ExternalData", "service":"geoshape","ids":"Q853730", "properties":{"title":"[[Malmö Arena]]","fill":"#f00","stroke":"#f00"} },{ "type":"Feature", "geometry":{"type":"Point","coordinates":[13.014039,55.593169]}, "properties":{"title":"Eurovision Village","marker-symbol":"village","marker-color":"#00f"} },{ "type":"Feature", "geometry":{"type":"Point","coordinates":[13.008392,55.594517]}, "properties":{"title":"Eurovision Street","marker-symbol":"camera","marker-color":"#00f"} }] </mapframe> The 2024 contest will take place in [[Malmö]], Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! scope="col" | City ! scope="col" | Venue ! scope="col" | Notes ! scope="col" | {{Abbr|Ref(s).|Reference(s)}} |- ! scope="row" | [[Eskilstuna]] | [[Stiga Sports Arena]] | Hosted the Second Chance round of [[Melodifestivalen]] in [[Melodifestivalen 2020|2020]]. Did not meet the EBU requirements of capacity. | <ref>{{cite newspaper |date=17 May 2023 |title=När Stockholm sviker – Eskilstuna välkomnar Eurovision |language=sv |trans-title=If Stockholm fails, Eskilstuna welcomes Eurovision |work=[[Eskilstuna-Kuriren]] |url=https://ekuriren.se/bli-prenumerant/artikel/r4047voj/ek-2m2kr_s_22 |url-access=subscription |access-date=18 May 2023}}</ref> |-style="background:#F2E0CE" ! scope="row" style="background:#F2E0CE" | [[Gothenburg]]{{nbs}}^ | [[Scandinavium]] | Hosted the [[Eurovision Song Contest 1985]]. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed. | <ref name="Gothenburg"/><ref name="Shortlist"/><ref>{{cite AV media |date=2023-05-15 |last=Andersson |first=Hasse |title=Toppolitikern öppnar famnen för Eurovision 2024 – men inte plånboken |trans-title=Top politician opens his arms for Eurovision 2024 – but not his wallet |url=https://sverigesradio.se/artikel/toppolitikern-oppnar-famnen-for-eurovision-2024-men-inte-planboken |access-date=2023-05-16 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite AV media |date=2023-05-15 |last=Hansson |first=Lovisa |title=Got Event satsar för att anordna Eurovision: "Vill välkomna Europa" |trans-title=Got Event invests in organizing Eurovision: "Want to welcome Europe" |url=https://sverigesradio.se/artikel/got-event-satsar-for-att-anordna-eurovision-vill-valkomna-europa |access-date=2023-05-16 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite newspaper |date=16 May 2023 |last=Karlsson |first=Samuel |title=Här vill politikerna bygga nya Scandinavium |trans-title=Here is where politicians want to build the new Scandinavium |url=https://www.byggvarlden.se/har-uppfors-nya-scandinavium/ |work=Byggvärlden |language=sv |access-date=21 May 2023}}</ref><ref>{{cite web |title=The World of Hans Zimmer – A new dimension på Scandinavium |trans-title=The World of Hans Zimmer – A new dimension at Scandinavium |url=https://gotevent.se/evenemang/the-world-of-hans-zimmer/ |work=[[Got Event]] |language=sv |access-date=2 July 2023}}</ref> |- ! scope="row" | [[Jönköping]] | [[Husqvarna Garden]] | Hosted the heats of Melodifestivalen in [[Melodifestivalen 2007|2007]]. Did not meet the EBU requirements of capacity. | <ref>{{cite AV media |last1=Ahlqvist |first1=Carin |last2=Carlwe |first2=Ida |date=2023-05-15 |title=Hon vill att Eurovision arrangeras i Jönköping: "Stora event är vi ju vana vid" |trans-title=She wants Eurovision to be staged in Jönköping: "We're used to big events" |url=https://sverigesradio.se/artikel/hon-vill-att-eurovision-arrangeras-i-jonkoping-stora-event-ar-vi-ju-vana-vid |access-date=2023-05-20 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite AV media |last1=Hermansson |first=Sanna |date=2023-05-24 |title=Jönköping med i striden om Eurovision: "Viktigt att vi vågar sticka ut" |trans-title=Jönköping in the battle for Eurovision: "It's important that we dare to stand out" |url=https://sverigesradio.se/artikel/jonkoping-med-i-striden-om-eurovision-viktigt-att-vi-vagar-sticka-ut |access-date=2023-05-26 |publisher=Sveriges Radio |language=sv}}</ref> |-style="background:#CEDFF2" ! scope="row" style="background:#CEDFF2" | '''[[Malmö]]'''{{nbs}}† | '''[[Malmö Arena]]''' | Hosted the [[Eurovision Song Contest 2013]]. | <ref>{{cite news |last=Gillberg |first=Jonas |date=15 May 2023 |title=Malmö inväntar SVT om ESC-finalen: 'Vi vill alltid ha stora evenemang' |language=sv |trans-title=Malmö awaits SVT about the ESC final: "We always want big events" |work=[[Sydsvenskan]] |url=https://www.sydsvenskan.se/2023-05-15/malmo-invantar-svt-om-esc-finalen-vi-vill-alltid-ha-stora-evenemang |url-access=subscription}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-05-15 |title=Eurovision 2024: Malmö Prepared to Bid to Host Eurovision |url=https://eurovoix.com/2023/05/15/malmo-prepared-to-bid-to-host-eurovision-2024/ |access-date=2023-05-16 |website=Eurovoix }}</ref> |-style="background:#F2E0CE" ! scope="row" style="background:#F2E0CE" | [[Örnsköldsvik]]{{nbs}}^ | [[Hägglunds Arena]] | Hosted the heats of Melodifestivalen in 2007, [[Melodifestivalen 2010|2010]], [[Melodifestivalen 2014|2014]], [[Melodifestivalen 2018|2018]] and the semi-final in [[Melodifestivalen 2023|2023]]. | <ref name="Shortlist" /><ref>{{cite web |last=Åsgård |first=Samuel |date=15 May 2023 |access-date=16 May 2023 |title=Norrlandskommunen vill ha Eurovision - 'Skulle ge en annan bild av Sverige' |trans-title=Norrlandskommunen wants Eurovision - "Would give a different image of Sweden" |url=https://www.dagenssamhalle.se/offentlig-ekonomi/kommunal-ekonomi/norrlandskommunen-vill-ha-eurovision---skulle-ge-en-annan-bild-av-sverige/ |work=Dagens Samhälle |language=sv |url-access=subscription}}</ref> |- ! scope="row" | [[Partille]] | [[Partille Arena]] | Hosted [[Eurovision Choir 2019]]. Did not meet the EBU requirements of capacity. | <ref>{{cite newspaper |date= |title=Partille öppnar för Eurovision Song Contest 2024: Vi kan arrangera finalen |language=sv |trans-title=Partille opens to the Eurovision Song Contest 2024: We can organise the final |work=Partille Tidning |url=https://www.partilletidning.se/nyheter/partille-oppnar-for-eurovision-song-contest-2024-vi-kan-arrangera-finalen.a7fcd2b1-c4ad-418f-b401-6ec56ccc80d7 |url-access=subscription |access-date=20 May 2023}}</ref> |- ! scope="row" | [[Sandviken]] | [[Göransson Arena]] | Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in [[Gävleborg]]. | <ref>{{Cite web |last=Van Waarden |first=Franciska |date=2023-05-22 |title=Eurovision 2024: Sandviken City Council to Examine a Potential Hosting Bid |url=https://eurovoix.com/2023/05/22/eurovision-2024-sandviken-potential-hosting-bid/ |access-date=2023-05-22 |website=Eurovoix }}</ref><ref>{{cite news |last=Jansson |first=Arvid |date=2023-05-21 |url=https://www.svt.se/nyheter/lokalt/gavleborg/sandvikens-kommun-vill-ta-eurovision-song-contest-till-goransson-arena |title=Sandvikens kommun vill ta Eurovision Song Contest till Göransson Arena |language=sv |trans-title=Sandviken Municipality wants to take the Eurovision Song Contest to the Göransson Arena |work=SVT Nyheter |publisher=SVT |access-date=2023-05-23}}</ref> |- style="background:#D0F0C0" ! rowspan="3" scope="rowgroup" style="background:#D0F0C0" | [[Stockholm]]{{nbs}}* | [[Friends Arena]] | Hosted all but one final of Melodifestivalen since [[Melodifestivalen 2013|2013]]. Preferred venue of the [[Stockholm City Council]]. | rowspan="3" |<ref>{{Cite web |last=Washak |first=James |date=2023-05-16 |title=Eurovision 2024: Stockholm's Aim is for the Friends Arena to Host the Contest |url=https://eurovoix.com/2023/05/16/eurovision-2024-stockholm-friends-arena-venue/ |access-date=2023-05-16 |website=Eurovoix}}</ref><ref>{{cite web|url=https://escxtra.com/2023/06/20/may-18th-ruled-possible-grand-final/|title=May 18th ruled out as possible Grand Final date in Stockholms Friends Arena|last=Rössing|first=Dominik|website=ESCXTRA|date=20 June 2023|access-date=20 June 2023}}</ref><ref>{{cite news|url=https://www.aftonbladet.se/nojesbladet/a/rlOxbe/taylor-swift-gor-en-extra-konsert-i-stockholm|title=Taylor Swift gör en extra konsert i Stockholm|trans-title=Taylor Swift to hold an extra concert in Stockholm|work=Aftonbladet|language=sv|date=29 June 2023|access-date=29 June 2023}}</ref><ref>{{cite web|last=Silva|first=Emanuel|date=2023-06-20|url=https://www.aftonbladet.se/nojesbladet/a/dwaJLJ/uppgifter-stockholm-vill-bygga-ny-arena-for-eurovision|title=Uppgifter: Stockholm vill bygga ny arena för Eurovision|trans-title=Details: Stockholm wants to build a new arena for Eurovision|work=Aftonbladet|language=sv|access-date=2023-06-20}}</ref><ref>{{Cite web |last=Conte |first=Davide |date=2023-06-21 |title= Eurovision 2024: Stockholm's Bid Based On New Temporary Arena |url=https://eurovoix.com/2023/06/21/eurovision-2024-stockholms-bid-temporary-arena/ |access-date=2023-06-21 |website=Eurovoix }}</ref><ref>{{Cite web |last1=Haimi |first1=Elina |last2=Saveland |first2=Amanda |date=2023-06-20 |title=Stockholm vill bygga ny arena för Eurovision nästa år |trans-title=Stockholm wants to build a new arena for Eurovision next year |url=https://www.dn.se/kultur/stockholm-vill-bygga-ny-arena-for-eurovision-nasta-ar/ |access-date=2023-06-21 |website=[[Dagens Nyheter]] |language=sv}}</ref> |- style="background:#D0F0C0" | [[Tele2 Arena]] | — |- style="background:#D0F0C0" | ''Temporary arena'' | Proposal set around building a temporary arena in {{ill|Frihamnen, Stockholm|lt=Frihamnen|sv}}, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks. |} == Participating countries == {{Further|List of countries in the Eurovision Song Contest}} Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an [[European Broadcasting Union#Members|active EBU membership]] capable of receiving the contest via the [[Eurovision (network)|Eurovision network]] and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members. On 5 December 2023, the EBU announced that at least 37 countries would participate in the 2024 contest. {{esccnty|Luxembourg}} is set to return to the contest 31 years after its last participation in {{Escyr|1993}}, while {{esccnty|Romania}}, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,<ref name="Participants">{{cite web|url=https://eurovision.tv/story/eurovision-2024-37-broadcasters-head-malmo|title=Eurovision 2024: 37 broadcasters head to Malmö|date=5 December 2023|access-date=5 December 2023|website=Eurovision.tv|publisher=EBU}}</ref><ref>{{cite web|last=Granger|first=Anthony|url=https://eurovoix.com/2024/01/03/romania-eurovision-2024-participation-still-being-discussed/|title=Romania: TVR Confirms Eurovision 2024 Participation Still Being Discussed|date=3 January 2024|access-date=3 January 2024|website=Eurovoix}}</ref> with talks still ongoing between the EBU and Romanian broadcaster [[TVR (broadcaster)|TVR]] {{as of|2024|1|17|lc=1}}; the country has been given until the end of January to definitively confirm its participation in the contest.<ref name="romdead1">{{cite web |last=Suta |first=Dan |date=17 January 2024 |title=Bomba momentului! Șeful TVR spune dacă România mai ajunge la Eurovision 2024 |trans-title=The bomb of the moment! The head of TVR says whether Romania will still make it to Eurovision 2024 |language=ro |url=https://www.fanatik.ro/bomba-momentului-seful-tvr-spune-daca-romania-mai-ajunge-la-eurovision-2024-20581615 |access-date=17 January 2024 |work=Fanatik}}</ref><ref name="romdead2">{{cite web |last=Stephenson |first=James |date=17 January 2024 |title=Romania: TVR's Board to Vote on Eurovision Participation on January 25 |url=https://eurovoix.com/2024/01/17/romania-tvrs-board-to-vote-on-eurovision-participation-on-january-25/ |access-date=17 January 2024 |work=Eurovoix}}</ref> {| class="wikitable plainrowheaders" |+ Participants of the Eurovision Song Contest 2024<ref name="Participants"/><ref>{{Cite web |title=Participants of Malmö 2024 |url=https://eurovision.tv/event/malmo-2024/participants |access-date=2023-12-11 |website=Eurovision.tv |publisher=EBU}}</ref> |- ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Artist ! scope="col" | Song ! scope="col" | Language ! scope="col" | Songwriter(s) |- ! scope="row" | {{Esc|Albania|y=2024}} | [[RTSH]] | [[Besa (singer)|Besa]] | "{{lang|sq|Zemrën n'dorë|i=unset}}" | [[Albanian language|Albanian]]{{efn|While the original version of "{{lang|sq|Zemrën n'dorë|i=no}}" is in Albanian, the song is set to undergo a revamp ahead of the contest, which on previous occasions has included the lyrics being partly or fully switched into English.<ref>{{Cite web |last=Adams |first=William Lee |date=2024-01-02 |title=Albania's Besa Kokëdhima confirms 'Zemrën n'dorë' revamp — what are your suggestions? |url=https://wiwibloggs.com/2024/01/02/albanias-besa-kokedhima-confirms-zemren-ndore-revamp-what-are-your-suggestions/278913/ |access-date=2024-01-02 |website=[[Wiwibloggs]] |language=en-US}}</ref><ref>{{Cite web |last=Washak |first=James |date=2024-01-02 |title=Albania: Besa Kokëdhima Confirms Revamp of Eurovision 2024 Entry |url=https://eurovoix.com/2024/01/02/albania-besa-kokedhima-revamp-eurovision-2024-entry/ |access-date=2024-01-02 |website=Eurovoix |language=en-GB}}</ref>}} | {{hlist|[[Besa (singer)|Besa Kokëdhima]]|Kledi Bahiti|[[Rozana Radi]]}} |- ! scope="row" | {{Esc|Armenia|y=2024}} | [[Public Television Company of Armenia|AMPTV]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Australia|y=2024}} | [[Special Broadcasting Service|SBS]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Austria|y=2024}} | [[ORF (broadcaster)|ORF]] | [[Kaleen (singer)|Kaleen]] | "We Will Rave"<ref name="Austria">{{Cite web |last=Stadlbauer |first=Clemens |date=16 January 2024 |title=Kaleen tanzt für Österreich in Malmö an |trans-title=Kaleen dances for Austria in Malmö |url=https://oe3.orf.at/m/stories/3038708/ |access-date=16 January 2024 |language=de-AT |work=[[Hitradio Ö3]] | publisher=[[ORF (broadcaster)|ORF]]}}</ref> | {{TBA|TBA March 2024<ref name="Austria"/>}} | {{hlist|[[Jimmy Thörnfeldt|Jimmy "Joker" Thörnfeldt]]|TBA<ref name="Austria"/>}} |- ! scope="row" | {{Esc|Azerbaijan|y=2024}} | [[İctimai Television|İTV]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Belgium|y=2024}} | [[RTBF]] | [[Mustii]] | colspan="3" {{TBA|TBA February 2024<ref>{{Cite web |last=Bijuvignesh |first=Darshan |date=30 August 2023 |title=Belgium: Mustii's Eurovision 2024 Song to Be Revealed in February |url=https://eurovoix.com/2023/08/30/belgium-mustiis-eurovision-2024-song-revealed-february/ |access-date=30 August 2023 |work=Eurovoix}}</ref>}} |- ! scope="row" | {{Esc|Croatia|y=2024}} | [[Croatian Radiotelevision|HRT]] | colspan="4" {{TBA|TBD 25 February 2024<ref>{{Cite web |date=January 8, 2024 |title=Dora 2024. održat će se 22., 23. i 25. veljače na Prisavlju |trans-title=Dora 2024 will be held on February 22, 23 and 25 in Prisavlje |url=https://magazin.hrt.hr/zabava/dora-2024-odrzat-ce-se-22-23-i-25-veljace-na-prisavlju-11270891 |url-status=live |archive-url=https://web.archive.org/web/20240108135622/https://magazin.hrt.hr/zabava/dora-2024-odrzat-ce-se-22-23-i-25-veljace-na-prisavlju-11270891 |archive-date=January 8, 2024 |access-date=January 8, 2024 |publisher=[[Croatian Radiotelevision|HRT]]}}</ref>}} |- ! scope="row" | {{Esc|Cyprus|y=2024}} | [[Cyprus Broadcasting Corporation|CyBC]] | [[Silia Kapsis]] | "Liar" | {{N/A|}} | {{hlist|[[Dimitris Kontopoulos]]|Elke Tiel<ref name="CYTitle">{{Cite Instagram|postid=C11435StwMb|user=cybc_eurovision|title=Exciting news! Unveiling the title and the amazing team behind Cyprus' Eurovision 2024 entry! Are you ready to say no to a Liar?|date=2024-01-08|access-date=2024-01-08|author=[[Cyprus Broadcasting Corporation|CyBC]]}}</ref>}} |- ! scope="row" | {{Esc|Czechia|name=Czechia|y=2024}} | [[Czech Television|ČT]] | [[Aiko (Czech singer)|Aiko]] | "[[Pedestal (Aiko song)|Pedestal]]" | [[English language|English]] | {{hlist|[[Aiko (Czech singer)|Alena Shirmanova-Kostebelova]]|[[Blood Red Shoes|Steven Ansell]]<ref>{{cite web|url=https://music.apple.com/us/song/pedestal/1703052098|title=Pedestal - Song by Aiko|work=[[Apple Music]]|publisher=[[Apple Inc.]]|date=2023-09-22|access-date=2023-12-13}}</ref>}} |- ! scope="row" | {{Esc|Denmark|y=2024}} | [[DR (broadcaster)|DR]] | colspan="4" {{TBA|TBD 17 February 2024<ref>{{cite web|last=Jiandani|first=Sanjay|url=https://esctoday.com/192013/denmark-dmgp-2024-date-host-city-and-venue-unveiled/|title=Denmark: DMGP 2024 date, host city and venue unveiled|work=ESCToday|date=2023-09-28|access-date=2023-09-28}}</ref>}} |- ! scope="row" | {{Esc|Estonia|y=2024}} | [[Eesti Rahvusringhääling|ERR]] | colspan="4" {{TBA|TBD 17 February 2024<ref>{{Cite web |last=Carabaña Menéndez |first=Hugo |date=15 September 2023 |title=Estonia arranca la búsqueda para Malmö: presentado el Eesti Laul 2024 con una sola semifinal y la final el 17 de febrero |trans-title=Estonia starts the search for Malmö: Eesti Laul 2024 has been presented, with a single semi-final and the final on 17 February |url=https://www.escplus.es/eurovision/2023/estonia-arranca-la-busqueda-para-malmo-presentado-el-eesti-laul-2024-con-una-sola-semifinal-y-la-final-el-17-de-febrero/ |access-date=15 September 2023 |website=ESCplus España |language=es-ES }}</ref>}} |- ! scope="row" | {{Esc|Finland|y=2024}} | [[Yle]] | colspan="4" {{TBA|TBD 10 February 2024<ref>{{Cite web |last=C |first=Alastair |date=2023-10-03 |title=UMK is Moving Cities and Finland are Looking for a Star for Eurovision 2024 |url=https://www.escunited.com/umk-is-moving-cities-and-finland-are-looking-for-a-star-for-eurovision-2024/ |access-date=2023-10-03 |website=ESCUnited |language=en-US}}</ref>}} |- ! scope="row" | {{Esc|France|y=2024}} | {{lang|fr|[[France Télévisions]]|i=unset}} | [[Slimane (singer)|Slimane]] | "{{lang|fr|[[Mon amour (Slimane song)|Mon amour]]|i=unset}}" | [[French language|French]] | {{hlist|Meïr Salah|[[Slimane (singer)|Slimane Nebchi]]|Yaacov Salah<ref>{{cite tweet|number=1722212873844478005|author=Slimane|user=SlimaneOff|title=La chanson s'appelle « Mon amour ». Je l'ai écrite et composée avec mes inséparables Yaacov et Meir Salah|trans-title=The song's called "Mon amour". I've written it with my inseparable Yaacov and Meir Salah|language=fr|access-date=2023-11-08}}</ref>}} |- ! scope="row" | {{Esc|Georgia|y=2024}} | [[Georgian Public Broadcaster|GPB]] | [[Nutsa Buzaladze]] | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Germany|y=2024}} | [[Norddeutscher Rundfunk|NDR]]{{efn|On behalf of the German public broadcasting consortium [[ARD (broadcaster)|ARD]]<ref>{{cite web |title=Alle deutschen ESC-Acts und ihre Titel |trans-title=All German ESC acts and their songs |url=https://www.eurovision.de/teilnehmer/vorentscheid386_glossaryPage-25.html |publisher=ARD |access-date=12 June 2023 |archive-url=https://web.archive.org/web/20230612084259/https://www.eurovision.de/teilnehmer/vorentscheid386_glossaryPage-25.html |archive-date=12 June 2023 |language=de |url-status=live}}</ref>}} | colspan="4" {{TBA|TBD 16 February 2024<ref>{{Cite web |date=7 September 2023 |title='Das Deutsche Finale 2024': Germany's road to Malmö |url=https://eurovision.tv/story/das-deutsche-finale-2024-germanys-road-malmo |access-date=7 September 2023 |website=Eurovision.tv |publisher=EBU}}</ref>}} |- ! scope="row" | {{Esc|Greece|y=2024}} | [[Hellenic Broadcasting Corporation|ERT]] | [[Marina Satti]] | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Iceland|y=2024}} | [[RÚV]] | colspan="4" {{TBA|TBD 2 March 2024<ref>{{Cite web |last=Adam |first=Darren |date=13 October 2023 |title=Söngvakeppnin back in Laugardalshöll |url=https://www.ruv.is/english/2023-10-13-songvakeppnin-back-in-laugardalsholl-393969 |access-date=13 October 2023 |publisher=[[RÚV]]}}</ref>}} |- ! scope="row" | {{Esc|Ireland|y=2024}} | [[RTÉ]] | colspan="4" {{TBA|TBD 26 January 2024<ref>{{Cite web |last=Gannon |first=Rory |date=2024-01-05 |title=Eurosong 2024 to take place on January 26th |url=https://thateurovisionsite.com/2024/01/05/eurosong-2024-january-26th/ |access-date=2024-01-05 |website=That Eurovision Site|language=en}}</ref>}} |- ! scope="row" | {{Esc|Israel|y=2024}} | [[Israeli Public Broadcasting Corporation|IPBC]] | {{N/A|}} | colspan="3" {{TBA|TBA March 2024<ref>{{Cite web |date=2024-01-16 |title=בצל המלחמה: השינוי הדרמטי בבחירת השיר הישראלי לאירוויזיון |trans-title=In the shadow of the war: the dramatic change in the selection of the Israeli song for Eurovision |language=he-IL |url=https://www.maariv.co.il/culture/music/Article-1068373 |access-date=2024-01-16 |website=[[Maariv (newspaper)|Maariv]]}}</ref>}} |- ! scope="row" | {{Esc|Italy|y=2024}} | [[RAI]] | colspan="4" {{TBA|TBD 10 February 2024{{efn|Participation in the [[Sanremo Music Festival 2024|Sanremo Music Festival]], used as the Italian national selection event for Eurovision, [[right of first refusal|does not require]] that the artists accept to represent the country at the contest in case of victory; participants who intend to are instead required to give their prior consent through a dedicated form. In the event that the winning artist has not agreed to that, national broadcaster [[RAI]] proceeds to internally select the Italian entrant for the contest.<ref>{{Cite web |last=Dammacco |first=Beppe |date=2023-07-10 |title=Sanremo 2024, fuori il regolamento. Il vincitore va all'Eurovision |trans-title=Sanremo 2024 rules released. The winner goes to Eurovision |url=https://www.eurofestivalnews.com/2023/07/10/sanremo-2024-regolamento-vincitore-eurovision/ |access-date=2023-07-10 |website=Eurofestival News |language=it-IT}}</ref><ref>{{cite web|url=https://www.rai.it/dl/doc/2023/07/10/1688977281669_Regolamento%20SANREMO%202024%20%20-.pdf|title=Regolamento Sanremo 2024|trans-title=Rules of Sanremo 2024|language=it|publisher=RAI|date=2023-07-10|access-date=2023-07-10|url-status=dead|archive-url=https://web.archive.org/web/20230715194411/https://www.rai.it/dl/doc/2023/07/10/1688977281669_Regolamento%20SANREMO%202024%20%20-.pdf|archive-date=2023-07-15}}</ref> This is usually confirmed during the winner's press conference held the morning after the final<ref>{{Cite web |last=Dammacco |first=Beppe |date=2023-02-12 |title=Marco Mengoni ha detto sì: vola a Liverpool per il suo secondo Eurovision |trans-title=Marco Mengoni has said yes: he's flying to Liverpool for his second Eurovision |url=https://www.eurofestivalnews.com/2023/02/12/marco-mengoni-conferma-eurovision-2023/ |access-date=2024-01-19|website=Eurofestival News |language=it-IT}}</ref>{{snd}}i.e. on 11 February 2024.}}}} |- ! scope="row" | {{Esc|Latvia|y=2024}} | [[Latvijas Televīzija|LTV]] | colspan="4" {{TBA|TBD 10 February 2024<ref>{{Cite web |date=2024-01-09 |title=Dziesmu konkursa «Supernova» pusfinālā uzstāsies 15 mākslinieki |trans-title=15 artists will perform in the semi-final of the "Supernova" song contest |url=https://www.lsm.lv/raksts/kultura/izklaide/09.01.2024-dziesmu-konkursa-supernova-pusfinala-uzstasies-15-makslinieki.a538169/ |access-date=2024-01-09 |website=lsm.lv |publisher=[[Latvijas Televīzija|LTV]] |language=lv}}</ref>}} |- ! scope="row" | {{Esc|Lithuania|y=2024}} | [[Lithuanian National Radio and Television|LRT]] | colspan="4" {{TBA|TBD 17 February 2024<ref name="lithuania">{{cite web|url=https://www.lrt.lt/naujienos/muzika/680/2153683/skelbiami-nacionalines-eurovizijos-atrankos-dalyviai-prie-starto-linijos-40-dainu|title=Skelbiami nacionalinės 'Eurovizijos' atrankos dalyviai: prie starto linijos – 40 dainų|trans-title=The participants of the national Eurovision selection have been announced: at the starting line, 40 songs|language=lt-LT|publisher=[[Lithuanian National Radio and Television|LRT]]|date=2023-12-19|access-date=2023-12-19}}</ref>}} |- ! scope="row" | {{Esc|Luxembourg|y=2024}} | [[RTL Group|RTL]] | colspan="4" {{TBA|TBD 27 January 2024<ref>{{cite web |title=Luxembourg sets January date for televised national final |url=https://eurovision.tv/story/luxembourg-sets-january-date-televised-national-final|date=3 July 2023|access-date=3 July 2023 |website=Eurovision.tv |publisher=EBU}}</ref>}} |- ! scope="row" | {{Esc|Malta|y=2024}} | [[Public Broadcasting Services|PBS]] | colspan="4" {{TBA|TBD 3 February 2024<ref>{{cite web |title=Malta: Malta Eurovision Song Contest 2024 Final to Last Six Days |url=https://eurovoix.com/2024/01/09/malta-eurovision-song-contest-2024-final-six-days/ |date=2024-01-09 |access-date=2024-01-09 |work=Eurovoix |first=Davide |last=Conte}}</ref>}} |- ! scope="row" | {{Esc|Moldova|y=2024}} | [[Teleradio-Moldova|TRM]] | colspan="4" {{TBA|TBD 17 February 2024<ref>{{cite web |title=Regulament cu privire la desfășurarea Selecției Naționale și desemnarea reprezentantului Republicii Moldova la concursul internațional Eurovision Song Contest 2024 |trans-title=Regulation on how the National Selection and the designation of the representative of the Republic of Moldova at the international Eurovision Song Contest 2024 will be conducted |url=https://eurovision.md/RegulamentEurovision2024.pdf |date=22 November 2023 |access-date=22 November 2023 |publisher=[[Teleradio-Moldova|TRM]] |language=ro}}</ref>}} |- ! scope="row" | {{Esc|Netherlands|y=2024}} | [[AVROTROS]] | [[Joost Klein]] | {{TBA|TBA March 2024<ref>{{Cite web |title=Joost Klein is de Nederlandse inzending voor het Songfestival 2024 |trans-title=Joost Klein is the Dutch entry for the Eurovision Song Contest 2024 |url=https://www.npo3fm.nl/nieuws/3fm-nieuws/3c391a3d-ab44-4249-8ccb-f3d67014ca80/joost-klein-is-de-nederlandse-inzending-voor-het-songfestival-2024 |date=2023-12-11 |access-date=2023-12-14 |website=[[NPO 3FM]] |publisher=[[Nederlandse Publieke Omroep (organisation)|NPO]] |language=nl}}</ref>}} | [[Dutch language|Dutch]]<ref name="nl">{{Cite web |last=Washak |first=James |date=2023-12-11 |title=Netherlands: Joost Klein to Eurovision 2024 |url=https://eurovoix.com/2023/12/11/netherlands-joost-klein-to-eurovision-2024/ |access-date=2023-12-11 |website=Eurovoix |language=en-GB}}</ref> | {{hlist|[[Donnie (Dutch rapper)|Donny Ellerström]]|[[Joost Klein]]<ref name="nl"/>}} |- ! scope="row" | {{Esc|Norway|y=2024}} | [[NRK]] | colspan="4" {{TBA|TBD 3 February 2024<ref>{{Cite web |last=Tangen |first=Anders Martinius |date=21 October 2023 |title=Mona Berntsen er ny sceneregissør for MGP og det bli finale 3.februar |trans-title=Mona Berntsen is the new stage director for MGP, and the final will be on February 3 |url=https://escnorge.no/2023/10/21/mona-berntsen-er-ny-koreograf-for-mgp-finale-4-februar/ |access-date=22 October 2023 |work=ESC Norge |language=nb}}</ref>}} |- ! scope="row" | {{Esc|Poland|y=2024}} | [[Telewizja Polska|TVP]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Portugal|y=2024}} |[[Rádio e Televisão de Portugal|RTP]] | colspan="4" {{TBA|TBD 9 March 2024<ref name="FDC24Final">{{Cite web |date=2024-01-12 |last=Granger |first=Anthony|title=Portugal: Festival da Canção 2024 Final on March 9 |url=https://eurovoix.com/2024/01/12/portugal-festival-da-cancao-2024-final-on-march-9/ |access-date=2024-01-12 |work=Eurovoix |language=en-GB}}</ref>}} |- ! scope="row" | {{Esc|San Marino|y=2024}} | [[San Marino RTV|SMRTV]] | colspan="4" {{TBA|TBD 24 February 2024<ref>{{Cite web |date=2023-11-29 |title=Festival 'Una Voce Per San Marino' The music contest linked to the Eurovision Song Contest 2023/2024 |url=https://www.unavocepersanmarino.com/wp-content/uploads/2023/11/SET-OF-RULES-FOR-UNA-VOCE-PER-SAN-MARINO-2024_rev2.pdf |access-date=2023-11-29 |publisher=[[San Marino RTV|SMRTV]] |language=en}}</ref>}} |- ! scope="row" | {{Esc|Serbia|y=2024}} | [[Radio Television of Serbia|RTS]] | colspan="4" {{TBA|TBD 2 March 2024<ref name="Serbia">{{Cite web|date=6 December 2023|last=Farren|first=Neil|title=Serbia: Pesma za Evroviziju 2024 Final on March 2|url=https://eurovoix.com/2023/12/06/serbia-pesma-za-evroviziju-2024-final-march-2/|access-date=6 December 2023|work=Eurovoix}}</ref>}} |- ! scope="row" | {{Esc|Slovenia|y=2024}} | [[Radiotelevizija Slovenija|RTVSLO]] | [[Raiven]] | "Veronika" | [[Slovene language|Slovene]] | {{hlist|{{ill|Bojan Cvjetićanin|sl}}|Danilo Kapel|Klavdija Kopina|Martin Bezjak|Peter Khoo|[[Raiven|Sara Briški Cirman]]<ref>{{cite AV media |title=Raiven - Veronika {{!}} Slovenia {{!}} Official Video {{!}} Eurovision 2024 |type=Music video |url=https://www.youtube.com/watch?v=uWcSsi7SliI |access-date=21 January 2023 |publisher=EBU |via=[[YouTube]]}}</ref>}} |- ! scope="row" | {{Esc|Spain|y=2024}} | [[RTVE]] | colspan="4" {{TBA|TBD 3 February 2024<ref>{{cite web|last=Casanova|first=Verónica|url=https://www.rtve.es/television/20230726/benidorm-fest-2024-novedades-fechas/2452394.shtml|title=Todas las novedades sobre el Benidorm Fest 2024: fechas de las galas y anuncio de artistas|trans-title=All the news about Benidorm Fest 2024: dates of the galas and artists announcement|publisher=[[RTVE]]|language=es-ES|date=2023-07-26|access-date=2023-07-26}}</ref>}} |- ! scope="row" | {{Esc|Sweden|y=2024}} | [[Sveriges Television|SVT]] | colspan="4" {{TBA|TBD 9 March 2024<ref>{{cite web|last=Conte|first=Davide|url=https://eurovoix.com/2023/09/20/melodifestivalen-2024-dates-cities/|title=Sweden: Melodifestivalen 2024 Dates and Host Cities Announced|work=Eurovoix|date=20 September 2023|access-date=20 September 2023}}</ref>}} |- ! scope="row" | {{Esc|Switzerland|y=2024}} | [[Swiss Broadcasting Corporation|SRG SSR]] | colspan="4" {{TBA|TBA March 2024<ref>{{Cite web |last=Granger |first=Anthony |date=2023-12-09 |title=Switzerland: Five Artists in Contention for Eurovision 2024 |url=https://eurovoix.com/2023/12/09/switzerland-five-artists-in-contention-for-eurovision-2024/ |access-date=2023-12-09 |website=Eurovoix}}</ref>}} |- ! scope="row" | {{Esc|Ukraine|y=2024}} | {{lang|uk-latn|[[Suspilne]]|i=unset}} | colspan="4" {{TBA|TBD 3 February 2024<ref>{{Cite web |last=Díaz |first=Lorena |date=13 December 2023 |title=Vidbir 2024: Desveladas las 9 canciones de la repesca y fechada la final del certamen para el 3 de febrero |trans-title=Vidbir 2024: The 9 songs of the second chance have been revealed and the final of the contest has been scheduled for 3 February |url=https://www.escplus.es/eurovision/2023/vidbir-2024-desveladas-las-9-canciones-de-la-repesca-y-fechada-la-final-del-certamen-para-el-3-de-febrero/ |access-date=13 December 2023 |website=ESCplus España |language=es-ES }}</ref>}} |- ! scope="row" | {{Esc|United Kingdom|y=2024}} | [[BBC]] | [[Olly Alexander]] | {{N/A|}} | {{N/A|}} | {{hlist|[[Olly Alexander|Oliver Alexander Thornton]]|[[Danny L Harle|Daniel Harle]]<ref name="United Kingdom">{{Cite web |last=Savage |first=Mark |url=https://www.bbc.co.uk/news/entertainment-arts-67731243|title=Eurovision 2024: Pop star Olly Alexander to represent the UK|date=2023-12-16 |access-date=2023-12-16 |work=[[BBC News Online]] |publisher=[[BBC]]}}</ref>}} |} === Other countries ===<!-- Only include countries that have information specific to 2024--> * {{Esc|North Macedonia}}{{snd}}Despite previous allocation of funds to participate in the 2024 contest,<ref>{{cite web|last=Sturtridge|first=Isaac|url=https://escxtra.com/2023/09/17/north-macedonia-to-return-to-eurovision-2024/|title=North Macedonia to return to Eurovision 2024|work=ESCXTRA|date=2023-09-17|access-date=2023-09-18}}</ref> Macedonian broadcaster [[Macedonian Radio Television|MRT]] ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.<ref name="Macedonia1">{{Cite web |last=Jiandani |first=Sanjay |date=2023-12-05 |title=North Macedonia: MKRTV confirms non participation at Eurovision 2024 |url=https://esctoday.com/191664/north-macedonia-mkrtv-confirms-non-participation-at-eurovision-2024/ |access-date=2023-12-06 |website=ESCToday |language=en}}</ref><ref name="Macedonia2">{{Cite web |last=Stephenson |first=James |date=2023-12-06 |title=North Macedonia: MRT Explains Absence from Eurovision 2024 |url=https://eurovoix.com/2023/12/06/north-macedonia-mrt-explains-absence-from-eurovision-2024/ |access-date=2023-12-06 |website=Eurovoix}}</ref> North Macedonia last took part in {{Escyr|2022}}. * {{Esc|Romania}}{{snd}} Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.<ref name="Participants"/> Shortly after, Romanian broadcaster [[TVR (TV network)|TVR]] explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the [[Ministry of Public Finance (Romania)|Ministry of Finance]], confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.<ref>{{cite web |last=Katsoulakis |first=Manos |date=12 September 2023 |title=Romania: Eurovision 2024 participation lies on the decision of the Minister of Finance! |url=https://eurovisionfun.com/en/2023/09/romania-eurovision-2024-participation-lies-on-the-decision-of-the-minister-of-finance/ |access-date=12 September 2023 |work=Eurovisionfun}}</ref><ref>{{cite web |last=Koronakis |first=Spyros |date=7 December 2023 |title=Romania: TVR received extra time from the EBU to pay the participation fee! |url=https://eurovisionfun.com/en/2023/12/romania-tvr-received-extra-time-from-the-ebu-to-pay-the-participation-fee/ |access-date=7 December 2023 |work=Eurovisionfun}}</ref> In mid-January 2024, TVR's director {{ill|Dan Turturică|ro}} disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.<ref name="romdead1"/><ref name="romdead2"/> Active EBU member broadcasters in {{Esccnty|Andorra}}, {{Esccnty|Bosnia and Herzegovina}}, {{Esccnty|Monaco}} and {{Esccnty|Slovakia}} confirmed non-participation prior to the announcement of the participants list by the EBU.<ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-08-21 |title=Andorra: RTVA confirms non participation at Eurovision 2024 |url=https://esctoday.com/191745/andorra-rtva-confirms-non-participation-at-eurovision-2024/ |access-date=2023-08-21 |website=ESCToday |language=en}}</ref><ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-08-02 |title=Bosnia & Herzegovina: BHRT confirms non participation at Eurovision 2024 |url=https://esctoday.com/191722/bosnia-herzegovina-bhrt-confirms-non-participation-at-eurovision-2024/ |access-date=2023-08-02 |website=ESCToday }}</ref><ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-09-15 |title=Monaco: MMD-TVMONACO will not compete at Eurovision 2024 |url=https://esctoday.com/191779/monaco-mmd-tvmonaco-will-not-compete-at-eurovision-2024/ |access-date=2023-09-15 |website=ESCToday }}</ref><ref>{{cite web |date=4 June 2023 |title=Eslovaquia: RTVS seguirá fuera de Eurovisión y Eurovisión Junior |trans-title=Slovakia: RTVS will remain out of Eurovision and Junior Eurovision |url=https://eurofestivales.blogspot.com/2023/06/eslovaquia-rtvs-seguira-fuera-de.html |access-date=4 June 2023 |work=Eurofestivales |language=es-ES}}</ref> == Production == The Eurovision Song Contest 2024 will be produced by the Swedish national broadcaster {{lang|sv|[[Sveriges Television]]|i=unset}} (SVT). The core team will consist of Ebba Adielsson as executive producer, {{ill|Christel Tholse Willers|sv}} as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer, [[Christer Björkman]] as contest producer, and {{ill|Per Blankens|sv}} as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.<ref name="2024coreteameng">{{Cite web |date=2023-06-14 |title=SVT appoints Eurovision Song Contest 2024 core team |url=https://eurovision.tv/story/svt-appoints-eurovision-song-contest-2024-core-team |access-date=2023-06-14 |website=Eurovision.tv |publisher=EBU}}</ref><ref name="finalteam">{{Cite web |date=2023-09-11 |title=Eurovision 2024 core team for Malmö is now complete |url=https://eurovision.tv/story/eurovision-2024-core-team-malmo-now-complete |access-date=2023-09-11 |website=Eurovision.tv |publisher=EBU |language=en}}</ref><ref name="svtteam">{{Cite press release |date=2023-06-14 |title=ESC 2024 - SVT har utsett ansvarigt team |trans-title=ESC 2024 - SVT has appointed the responsible team |url=https://omoss.svt.se/arkiv/nyhetsarkiv/2023-06-14-esc-2024---svt-har-utsett-ansvarigt-team.html |access-date=2023-06-14 |publisher=SVT |language=sv}}</ref> [[Edward af Sillén]] and {{ill|Daniel Réhn|sv}} will write the script for the live shows' hosting segments and the opening and interval acts.<ref>{{Cite web |url=https://eurovision.tv/story/swedish-writing-dream-team-returns-malmo-2024 |title=Swedish writing dream team returns for Malmö 2024 |work=Eurovision.tv |publisher=EBU |date=2023-12-07 |access-date=2023-12-07 |lang=en-gb}}</ref> A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: {{Escyr|2000}}, 2013 and 2016. [[Malmö Municipality]] will contribute {{currency|30 million|SEK2|passthrough=yes}} (approximately {{currency|2.5 million|EUR|passthrough=yes}}) to the budget of the contest.<ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-09-18 |title=Eurovision 2024: Malmo to invest €2.5 million on the contest |url=https://esctoday.com/191959/eurovision-2024-malmo-to-invest-e-2-5-million-on-the-contest/ |access-date=2023-09-18 |website=ESCToday}}</ref><ref>{{Cite web |last=Westerberg |first=Olof |date=2024-01-14 |title=Så används 30 miljoner av Malmöbornas pengar på Eurovisionfesten |trans-title=This is how 30 million of Malmö residents' money is used at the Eurovision festival |url=https://www.sydsvenskan.se/2024-01-14/sa-anvands-30-miljoner-av-malmobornas-pengar-pa-eurovisionfesten |url-access=subscription |access-date=2024-01-17 |website=Sydsvenskan |language=sv}}</ref> === Slogan and visual design === On 14 November 2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.<ref name="Slogan">{{Cite web |date=2023-11-14 |title='United By Music' chosen as permanent Eurovision slogan |url=https://eurovision.tv/story/united-by-music-permanent-slogan |access-date=2023-11-14 |work=Eurovision.tv |publisher=EBU |lang=en-gb}}</ref> The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on [[Aurora|auroras]] and [[Equalization (audio)|sound equalisers]], and was built with adaptability across different formats taken into account.<ref name=":2">{{Cite web |date=2023-12-14 |title=Eurovision 2024 theme art revealed! |url=https://eurovision.tv/story/eurovision-2024-theme-art-revealed |access-date=2023-12-14 |website=Eurovision.tv |publisher=EBU |language=en}}</ref><ref>{{Cite Instagram|postid=C01r1pPChen|user=uncut_stuff|title=Uncut has been tasked, together with SVT's internal team, to lead the strategic direction for Eurovision as well as the moving visual identity. Uncut and SVT, in turn, have built a unique, creative team for the project, where Sidney Lim from Bold Stockholm, among others, takes on the role as the designer.|date=2023-12-14|access-date=2023-12-14|author=Uncut}}</ref><ref>{{Cite web |date=2023-12-15 |title=First glimpse of the Eurovision 2024 brand identity |url=https://www.boldscandinavia.com/first-glimpse-of-the-eurovision-2024-brand-identity/ |access-date=2023-12-25 |website=Bold Scandinavia |language=en-US}}</ref> === Stage design === The stage design for the 2024 contest was unveiled on 19 December 2023. It was devised by German [[Florian Wieder]], the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable [[LED lamp|LED]] cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.<ref name=":3">{{Cite web |date=2023-12-19 |title=Incredible stage revealed for Eurovision 2024 |url=https://eurovision.tv/story/incredible-stage-revealed-eurovision-2024 |access-date=2023-12-19 |website=Eurovision.tv |publisher=EBU |language=en}}</ref> == Format == === Semi-final allocation draw === The draw to determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00 [[Central European Time|CET]].<ref name=":4">{{Cite web |date=2023-12-21 |title=Details released for 'Eurovision Song Contest 2024: The Draw' |url=https://eurovision.tv/story/details-released-eurovision-song-contest-2024-draw |access-date=2023-12-21 |website=Eurovision.tv |publisher=EBU |language=en}}</ref> The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of [[Block voting|bloc voting]] and to increase suspense in the semi-finals.<ref>{{cite web |date=14 January 2017 |title=Eurovision Song Contest: Semi-Final Allocation Draw |url=https://eurovision.tv/about/in-depth/semi-final-allocation-draw/ |access-date=2 July 2020 |website=Eurovision.tv |publisher=EBU}}</ref> The draw also determines which semi-final each of the six automatic qualifiers{{snd}}host country {{Esccnty|Sweden}} and "[[Big Five (Eurovision)|Big Five]]" countries ({{Esccnty|France}}, {{Esccnty|Germany}}, {{Esccnty|Italy}}, {{Esccnty|Spain}} and the {{Esccnty|United Kingdom}}){{snd}}will vote in and be required to broadcast. The ceremony will be hosted by [[Pernilla Månsson Colt]] and [[Farah Abadi]], and is expected to include the passing of the [[List of Eurovision Song Contest host cities#Host city insignia|host city insignia]] from the mayor (or equivalent role) of previous host city [[Liverpool]] to the one of Malmö<!--{{snd}}i.e. from Andrew Lewis, chief executive of the [[Liverpool City Council]], to [[Katrin Stjernfeldt Jammeh]], commissioner of Malmö Municipality-->.<ref name=":4" /><ref name="FAQs">{{cite web |title=FAQ: Malmö 2024 |url=https://eurovision.tv/mediacentre/frequently-asked-questions-24 |access-date=5 December 2023 |website=Eurovision.tv |publisher=EBU}}</ref><ref>{{Cite web |date=2023-06-15 |title=SVT:s hemliga kravlista |trans-title=SVT's secret list of demands |url=https://www.aftonbladet.se/a/4oG4p9 |url-access=subscription |access-date=2023-06-15 |website=Aftonbladet |language=sv}}</ref> === Proposed changes === A number of changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the {{lang|de|[[Meistersaal]]|i=unset}} in [[Berlin]], Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.<ref name="Karlsen">{{Cite AV media |url=https://www.youtube.com/watch?v=89i6_tSBC3c |title=Eurovíziós Podcast - Mi a norvég siker titka, mit tanácsol nekünk Stig Karlsen delegációvezető? |date=2023-07-15 |publisher=EnVagyokViktor |trans-title=Eurovision Podcast - What is the secret of Norwegian success, what does head of delegation Stig Karlsen advise us? |time=23:39 |quote=This is being discussed, you know, there's a Eurovision workshop where all the delegations get to travel to in Berlin in September, so that's [the] time where we can really voice our opinion, and I think that this is gonna be one of the things that will be discussed, and I think that they're gonna figure it out in September, and then there's gonna be an official release maybe in January, at least this is what I've heard. |via=YouTube}}</ref><ref>{{cite web |last=Jiandani |first=Sanjay |date=2023-09-11 |title=EBU: Eurovision Workshop in Berlin on 15 September |url=https://esctoday.com/191877/ebu-eurovision-workshop-in-berlin-on-15-september/ |access-date=2023-09-11 |work=ESCToday}}</ref> The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.<ref>{{Cite web |date=2023-11-01 |title=The Rules of the Contest 2024 |url=https://eurovision.tv/about/rules |access-date=2023-11-05 |website=Eurovision.tv |publisher=EBU |language=en}}</ref> Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.<ref>{{Cite web |last=Ek |first=Torbjörn |date=2023-09-11 |title=Christer Björkman gör Eurovision-comeback |trans-title=Christer Björkman makes a Eurovision comeback |url=https://www.aftonbladet.se/a/WRAr1k |access-date=2023-09-11 |website=Aftonbladet |language=sv}}</ref> ==== Voting system and rules ==== {{See also|Voting at the Eurovision Song Contest}} After the outcome of the 2023 contest, which saw {{Esccnty|Sweden|y=2023}} win despite {{Esccnty|Finland|y=2023}}'s lead in the televoting, [[Eurovision Song Contest 2023#Reaction to the results|sparked controversy]] among the audience, Norwegian broadcaster [[NRK]] started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in {{esccnty|Norway|y=2019|t=2019}} and {{esccnty|Norway|y=2023|t=2023}}, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.<ref>{{Cite web |last=Ntinos |first=Fotios |date=2023-09-12 |title=Eurovision 2024: Did Stig Karlsen succeed in reducing the power of juries? |url=https://eurovisionfun.com/en/2023/09/eurovision-2024-did-stig-karlsen-succeed-in-reducing-the-power-of-juries/ |access-date=2023-09-12 |work=Eurovisionfun}}</ref> In an interview, the Norwegian head of delegation {{ill|Stig Karlsen|no}} discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.<ref>{{cite web |last=Stephenson |first=James |date=2023-07-19 |title=Eurovision 2024: Norway Plans to Propose New Voting System |url=https://eurovoix.com/2023/07/19/eurovision-2024-norway-plans-to-propose-new-voting-system/ |access-date=2023-07-19 |work=Eurovoix}}</ref><ref>{{cite web|url=https://eurovision.tv/voting-changes-2023-faq|title=Voting changes (2023) FAQ|website=Eurovision.tv |date=22 November 2022 |publisher=EBU|access-date=2023-07-19}}</ref> Any changes to the voting system are expected to be officially announced in January 2024.<ref>{{cite web|last=Granger|first=Anthony|date=2023-06-14|url=https://eurovoix.com/2023/06/14/ebu-discussions-changes-jury-system-eurovision-2024/|title=EBU in Discussions Regarding Changes to Jury System for Eurovision 2024|work=Eurovoix|access-date=2023-06-14}}</ref> At the [[Edinburgh TV Festival]] in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning [[artificial intelligence|AI]]-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".<ref>{{Cite news |last=Seal |first=Thomas |date=2023-08-24 |title=Eurovision Organizers Consider Banning AI From Kitschy Pop Contest |language=en |work=[[Bloomberg News]] |url=https://www.bloomberg.com/news/articles/2023-08-24/eurovision-organizers-consider-ai-ban-at-kitschy-pop-contest |url-access=subscription |access-date=2023-08-25}}</ref> On 27 November 2023, Sammarinese broadcaster [[San Marino RTV|SMRTV]] launched [[San Marino in the Eurovision Song Contest 2024#The San Marino Sessions|a collaboration with London-based AI startup Casperaki]] as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.<ref>{{cite web|title=Casperaki introduce un'opportunità globale: ora chiunque può avere la possibilità di partecipare alla selezione nazionale Una Voce per San Marino|trans-title=Casperaki introduces a global opportunity: Now anyone can have a chance to be a contestant at the Una Voce per San Marino national selection|language=it,en|url=https://www.sanmarinortv.sm/news/comunicati-c9/casperaki-introduce-un-opportunita-globale-ora-chiunque-puo-avere-la-possibilita-di-partecipare-alla-selezione-nazionale-una-voce-per-san-marino-a250843|work=sanmarinortv.sm|publisher=SMRTV|date=2023-11-28|access-date=2023-11-28}}</ref> Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final {{lang|no|[[Melodi Grand Prix 2024]]}}, revealed on 5 January 2024.<ref>{{Cite web |date=5 January 2024 |title=Norway's Melodi Grand Prix 2024: The 18 artists and songs |url=https://eurovision.tv/story/norways-mgp-2024-songs |access-date=5 January 2024 |work=Eurovision.tv |publisher=EBU}}</ref> In late September 2023, [[Carolina Norén]], {{lang|sv|[[Sveriges Radio]]|i=unset}}'s commentator for the contest, revealed that she had resumed talks with executive supervisor [[Martin Österdahl]] concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.<ref>{{cite web|last=Rowe|first=Callum|date=2023-09-26|url=https://eurotrippodcast.com/2023/09/26/svt-presenter-urging-martin-osterdahl-about-big-five-change/|title=Swedish commentator urging Martin Österdahl to change Big Five rule|work=The Euro Trip Podcast|access-date=2023-09-27}}</ref> == Broadcasts == All participating broadcasters may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest [[YouTube]] channel provides international live streams with no commentary of all shows. The following are the broadcasters that have confirmed in whole or in part their broadcasting plans: {| class="wikitable plainrowheaders" |+ Broadcasters and commentators in participating countries ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Channel(s) ! scope="col" | Show(s) ! scope="col" | Commentator(s) ! scope="col" | {{Abbr|Ref(s)|Reference(s)}} |- ! scope="row" | {{flagu|Australia}} | [[Special Broadcasting Service|SBS]] | [[SBS (Australian TV channel)|SBS]] | All shows | rowspan="5" {{TBA}} | <ref>{{Cite web|last=Knox|first=David|url=https://tvtonight.com.au/2023/10/2024-upfronts-sbs-nitv.html|title=2024 Upfronts: SBS / NITV|work=[[TV Tonight]]|date=2023-10-31|access-date=2023-10-31}}</ref> |- ! scope="row" | {{flagu|France}} | {{lang|fr|[[France Télévisions]]|i=unset}} | [[France 2]] | Final | <ref>{{cite web|url=https://www.france.tv/france-2/eurovision/|title=Eurovision|work=France.tv|publisher=[[France Télévisions]]|language=fr-FR|access-date=2023-11-08|archive-url=https://web.archive.org/web/20231108154720/https://www.france.tv/france-2/eurovision/|archive-date=2023-11-08|url-status=live}}</ref> |- ! scope="row" | {{flagu|Germany}} | [[ARD (broadcaster)|ARD]]/[[Norddeutscher Rundfunk|NDR]] | {{lang|de|[[Das Erste]]|i=unset}} | Final |<ref>{{Cite web|work=[[Süddeutsche Zeitung]]|language=de|title=ARD hält an ESC-Teilnahme fest|trans-title=ARD is sticking to ESC participation|url=https://www.sueddeutsche.de/kultur/musik-ard-haelt-an-esc-teilnahme-fest-dpa.urn-newsml-dpa-com-20090101-230515-99-698691|date=2023-05-15|access-date=2023-05-15}}</ref> |- ! scope="row" | {{flagu|Italy}} | [[RAI]] | [[Rai 1]] | Final | <ref>{{Cite web|title=Claudio Fasulo: 'Più Eurovision su Rai1 nel 2024. Mengoni e la bandiera arcobaleno? Non lo sapevamo'|trans-title=Claudio Fasulo: "More Eurovision on Rai1 in 2024. Mengoni's rainbow flag? We did not know about it"|url=https://www.fanpage.it/spettacolo/eventi/claudio-fasulo-piu-eurovision-su-rai1-nel-2024-mengoni-e-la-bandiera-arcobaleno-non-lo-sapevamo/|date=2023-05-15|access-date=2023-07-15|website=[[Fanpage.it]]|language=it}}</ref> |- ! scope="row" | {{flagu|Luxembourg}} | [[RTL Group|RTL]] | [[RTL (Luxembourgian TV channel)|RTL]] | All shows | <ref>{{Cite web|title=Luxembourg to return to the Eurovision Song Contest in 2024|url=https://eurovision.tv/story/luxembourg-return-eurovision-2024|url-status=live|archive-url=https://web.archive.org/web/20230514012411/https://eurovision.tv/story/luxembourg-return-eurovision-2024|archive-date=14 May 2023|date=12 May 2023|access-date=14 May 2023|website=Eurovision.tv|publisher=EBU}}</ref> |- ! scope="row" |{{flagu|Poland}} | [[Telewizja Polska|TVP]] | {{TBA}} | rowspan="3" {{TBA}} | [[Artur Orzech]] | <ref>{{Cite web |last=Puzyr |first=Małgorzata |date=2024-01-12 |title=Znany prezenter wraca do TVP. Odchodził w atmosferze skandalu |trans-title=Well-known presenter returns to TVP. He left amid scandal |url=https://rozrywka.dorzeczy.pl/film-i-telewizja/536649/artur-orzech-wraca-do-tvp-wiadomo-czym-sie-zajmie.html |access-date=2024-01-12 |website=[[Do Rzeczy|Rozrywka Do Rzeczy]] |language=pl}}</ref> |- ! rowspan="2" scope="rowgroup" | {{flagu|Ukraine}} | rowspan="2" | {{lang|uk-latn|[[Suspilne]]|i=unset}} | {{lang|uk-latn|[[Suspilne Kultura]]|i=unset}} | rowspan="3" {{TBA}} | rowspan="2" | <ref>{{cite web|title=Україна візьме участь у Євробаченні-2024: хто стане музичним продюсером?|trans-title=Ukraine will take part in Eurovision 2024: who will be the music producer?|url=https://eurovision.ua/5331-ukrayina-vizme-uchast-u-yevrobachenni-2024-hto-stane-muzychnym-prodyuserom/|date=2023-08-28|access-date=2023-08-28|website=Eurovision.ua|publisher=Suspilne|language=uk}}</ref> |- | {{lang|uk-latn|{{ill|Radio Promin|uk|Радіо Промінь}}|i=unset}} |- ! scope="row" | {{flagu|United Kingdom}} | [[BBC]] | [[BBC One]] | All shows | <ref>{{Cite web |last=Heap |first=Steven |date=2023-08-27 |title=United Kingdom: BBC Confirms Semi Finals Will Stay on BBC One in 2024 |url=https://eurovoix.com/2023/08/27/bbc-confirms-semi-finals-will-stay-on-bbc-one-in-2024/ |access-date=2023-08-28 |website=Eurovoix |language=en-GB}}</ref><ref>{{Cite press release |date=2023-10-18 |title=United Kingdom participation in the Eurovision Song Contest 2024 is confirmed plus all three live shows will be broadcast on BBC One and iPlayer |url=https://www.bbc.co.uk/mediacentre/2023/eurovision-2024-uk-confirmed/ |access-date=2023-10-18 |publisher=[[BBC]] |language=en}}</ref> |} {| class="wikitable plainrowheaders" |+ Broadcasters and commentators in other countries ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Channel(s) ! scope="col" | Show(s) ! scope="col" | Commentator(s) ! scope="col" | {{Abbr|Ref(s)|Reference(s)}} |- ! scope="row" | {{flagu|Montenegro}} | [[Radio and Television of Montenegro|RTCG]] | rowspan="2" colspan="3" {{TBA}} | <ref>{{Cite web |last=Ibrayeva |first=Laura |date=2024-01-07 |title=Montenegro: RTCG Intends to Broadcast Eurovision & Junior Eurovision 2024 |url=https://eurovoix.com/2024/01/07/montenegro-rtcg-broadcast-eurovision-junior-eurovision-2024/ |access-date=2024-01-07 |website=Eurovoix |language=en}}</ref> |- ! scope="row" | {{flagu|North Macedonia}} | [[Macedonian Radio Television|MRT]] | <ref name="Macedonia1" /><ref name="Macedonia2" /> |} == Incidents == === Israeli participation === {{main|Israel in the Eurovision Song Contest 2024#Calls for exclusion}} <!-- This is a summary, do not extend this with more information than necessary as they're all within the Israel in ESC2024 page, and other relevant country pages. Additionally, do not make edits regarding the war that may violate WP:NPOV -->Since the outbreak of the [[Israel–Hamas war]] on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the [[Gaza humanitarian crisis (2023–present)|humanitarian crisis]] resulting from [[2023 Israeli invasion of the Gaza Strip|Israeli military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 045631cb733d891eeefbb17090700063383d56b4 46 34 2024-01-22T12:37:34Z Globalvision 2 wikitext text/x-wiki {{Infobox edition|name = Eurovoice|year =2024 |theme = |size =299px |dates = |host =[[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2 <!-- Map Legend Colours --> |map year = 1|Green =Y |Red =|Red2 = |уear = 2024|final =16 May 2024 |venue =[[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Milan|Milan]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =Fabiana Rey<br>ANYA TALYA |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} '''The''' '''Song 1''' was the first edition of [[The Song]]. It took place in [[Wikipedia:Dublin|Dublin]], Ireland. Organised by the [[Wikipedia:European Broadcasting Union|European Broadcasting Union]] (EBU) and host broadcaster [[Wikipedia:Raidió Teilifís Éireann|Raidió Teilifís Éireann]] (RTÉ), the contest was held at the [[Wikipedia:3Arena|3Arena]], and consisted of two semi-finals on 31 May and 3 June, and a final on 11 June 2022. The three live shows were presented by Irish singer [[Wikipedia:Brooke Scullion|Brooke Scullion]] and Irish singer, songwriter and presenter [[Wikipedia:Nicky Byrne|Nicky Byrne]]. The '''Eurovision Song Contest 2024''' is set to be the 68th edition of the [[Eurovision Song Contest]]. It is scheduled to take place in [[Malmö]], [[Sweden]], following the country's victory at the {{Escyr|2023|3=2023 contest}} with the song "[[Tattoo (Loreen song)|Tattoo]]" by [[Loreen]]. Organised by the [[European Broadcasting Union]] (EBU) and host broadcaster {{lang|sv|[[Sveriges Television]]|i=unset}} (SVT), the contest will be held at the [[Malmö Arena]], and will consist of two semi-finals on 7 and 9 May, and a final on 11 May 2024.<ref name=":0">{{Cite web |date=2023-07-07 |title=Malmö will host the 68th Eurovision Song Contest in May 2024 |url=https://eurovision.tv/story/malmo-will-host-68th-eurovision-song-contest-may-2024 |access-date=2023-07-07 |website=Eurovision.tv |publisher=[[European Broadcasting Union]] (EBU)}}</ref> It will be the third edition of the contest to take place in Malmö, which hosted it in {{Escyr|1992}} and {{Escyr|2013}}, and the seventh in Sweden, which last hosted it in [[Stockholm]] in {{Escyr|2016}}. Thirty-seven countries were confirmed to participate in the contest, with {{esccnty|Luxembourg}} returning 31 years after its last participation in {{Escyr|1993}}, while {{esccnty|Romania}} is still in discussion regarding its participation. == Location == [[File:Malmö_Arena,_augusti_2014-2.jpg|left|thumb|200x200px|[[Malmö Arena]]{{Snd}}host venue of the 2024 contest]] <mapframe width="302" height="280" align="left" text="Location of host venue (red) and other contest-related sites and events (blue)"> [{ "type":"Feature", "geometry":{"type":"Point","coordinates":[12.976111,55.565278]}, "properties":{"title":"[[Malmö Arena]]","marker-symbol":"stadium","marker-color":"#f00","marker-size":"large"} },{ "type":"ExternalData", "service":"geoshape","ids":"Q853730", "properties":{"title":"[[Malmö Arena]]","fill":"#f00","stroke":"#f00"} },{ "type":"Feature", "geometry":{"type":"Point","coordinates":[13.014039,55.593169]}, "properties":{"title":"Eurovision Village","marker-symbol":"village","marker-color":"#00f"} },{ "type":"Feature", "geometry":{"type":"Point","coordinates":[13.008392,55.594517]}, "properties":{"title":"Eurovision Street","marker-symbol":"camera","marker-color":"#00f"} }] </mapframe> The 2024 contest will take place in [[Malmö]], Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! scope="col" | City ! scope="col" | Venue ! scope="col" | Notes ! scope="col" | {{Abbr|Ref(s).|Reference(s)}} |- ! scope="row" | [[Eskilstuna]] | [[Stiga Sports Arena]] | Hosted the Second Chance round of [[Melodifestivalen]] in [[Melodifestivalen 2020|2020]]. Did not meet the EBU requirements of capacity. | <ref>{{cite newspaper |date=17 May 2023 |title=När Stockholm sviker – Eskilstuna välkomnar Eurovision |language=sv |trans-title=If Stockholm fails, Eskilstuna welcomes Eurovision |work=[[Eskilstuna-Kuriren]] |url=https://ekuriren.se/bli-prenumerant/artikel/r4047voj/ek-2m2kr_s_22 |url-access=subscription |access-date=18 May 2023}}</ref> |-style="background:#F2E0CE" ! scope="row" style="background:#F2E0CE" | [[Gothenburg]]{{nbs}}^ | [[Scandinavium]] | Hosted the [[Eurovision Song Contest 1985]]. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed. | <ref name="Gothenburg"/><ref name="Shortlist"/><ref>{{cite AV media |date=2023-05-15 |last=Andersson |first=Hasse |title=Toppolitikern öppnar famnen för Eurovision 2024 – men inte plånboken |trans-title=Top politician opens his arms for Eurovision 2024 – but not his wallet |url=https://sverigesradio.se/artikel/toppolitikern-oppnar-famnen-for-eurovision-2024-men-inte-planboken |access-date=2023-05-16 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite AV media |date=2023-05-15 |last=Hansson |first=Lovisa |title=Got Event satsar för att anordna Eurovision: "Vill välkomna Europa" |trans-title=Got Event invests in organizing Eurovision: "Want to welcome Europe" |url=https://sverigesradio.se/artikel/got-event-satsar-for-att-anordna-eurovision-vill-valkomna-europa |access-date=2023-05-16 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite newspaper |date=16 May 2023 |last=Karlsson |first=Samuel |title=Här vill politikerna bygga nya Scandinavium |trans-title=Here is where politicians want to build the new Scandinavium |url=https://www.byggvarlden.se/har-uppfors-nya-scandinavium/ |work=Byggvärlden |language=sv |access-date=21 May 2023}}</ref><ref>{{cite web |title=The World of Hans Zimmer – A new dimension på Scandinavium |trans-title=The World of Hans Zimmer – A new dimension at Scandinavium |url=https://gotevent.se/evenemang/the-world-of-hans-zimmer/ |work=[[Got Event]] |language=sv |access-date=2 July 2023}}</ref> |- ! scope="row" | [[Jönköping]] | [[Husqvarna Garden]] | Hosted the heats of Melodifestivalen in [[Melodifestivalen 2007|2007]]. Did not meet the EBU requirements of capacity. | <ref>{{cite AV media |last1=Ahlqvist |first1=Carin |last2=Carlwe |first2=Ida |date=2023-05-15 |title=Hon vill att Eurovision arrangeras i Jönköping: "Stora event är vi ju vana vid" |trans-title=She wants Eurovision to be staged in Jönköping: "We're used to big events" |url=https://sverigesradio.se/artikel/hon-vill-att-eurovision-arrangeras-i-jonkoping-stora-event-ar-vi-ju-vana-vid |access-date=2023-05-20 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite AV media |last1=Hermansson |first=Sanna |date=2023-05-24 |title=Jönköping med i striden om Eurovision: "Viktigt att vi vågar sticka ut" |trans-title=Jönköping in the battle for Eurovision: "It's important that we dare to stand out" |url=https://sverigesradio.se/artikel/jonkoping-med-i-striden-om-eurovision-viktigt-att-vi-vagar-sticka-ut |access-date=2023-05-26 |publisher=Sveriges Radio |language=sv}}</ref> |-style="background:#CEDFF2" ! scope="row" style="background:#CEDFF2" | '''[[Malmö]]'''{{nbs}}† | '''[[Malmö Arena]]''' | Hosted the [[Eurovision Song Contest 2013]]. | <ref>{{cite news |last=Gillberg |first=Jonas |date=15 May 2023 |title=Malmö inväntar SVT om ESC-finalen: 'Vi vill alltid ha stora evenemang' |language=sv |trans-title=Malmö awaits SVT about the ESC final: "We always want big events" |work=[[Sydsvenskan]] |url=https://www.sydsvenskan.se/2023-05-15/malmo-invantar-svt-om-esc-finalen-vi-vill-alltid-ha-stora-evenemang |url-access=subscription}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-05-15 |title=Eurovision 2024: Malmö Prepared to Bid to Host Eurovision |url=https://eurovoix.com/2023/05/15/malmo-prepared-to-bid-to-host-eurovision-2024/ |access-date=2023-05-16 |website=Eurovoix }}</ref> |-style="background:#F2E0CE" ! scope="row" style="background:#F2E0CE" | [[Örnsköldsvik]]{{nbs}}^ | [[Hägglunds Arena]] | Hosted the heats of Melodifestivalen in 2007, [[Melodifestivalen 2010|2010]], [[Melodifestivalen 2014|2014]], [[Melodifestivalen 2018|2018]] and the semi-final in [[Melodifestivalen 2023|2023]]. | <ref name="Shortlist" /><ref>{{cite web |last=Åsgård |first=Samuel |date=15 May 2023 |access-date=16 May 2023 |title=Norrlandskommunen vill ha Eurovision - 'Skulle ge en annan bild av Sverige' |trans-title=Norrlandskommunen wants Eurovision - "Would give a different image of Sweden" |url=https://www.dagenssamhalle.se/offentlig-ekonomi/kommunal-ekonomi/norrlandskommunen-vill-ha-eurovision---skulle-ge-en-annan-bild-av-sverige/ |work=Dagens Samhälle |language=sv |url-access=subscription}}</ref> |- ! scope="row" | [[Partille]] | [[Partille Arena]] | Hosted [[Eurovision Choir 2019]]. Did not meet the EBU requirements of capacity. | <ref>{{cite newspaper |date= |title=Partille öppnar för Eurovision Song Contest 2024: Vi kan arrangera finalen |language=sv |trans-title=Partille opens to the Eurovision Song Contest 2024: We can organise the final |work=Partille Tidning |url=https://www.partilletidning.se/nyheter/partille-oppnar-for-eurovision-song-contest-2024-vi-kan-arrangera-finalen.a7fcd2b1-c4ad-418f-b401-6ec56ccc80d7 |url-access=subscription |access-date=20 May 2023}}</ref> |- ! scope="row" | [[Sandviken]] | [[Göransson Arena]] | Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in [[Gävleborg]]. | <ref>{{Cite web |last=Van Waarden |first=Franciska |date=2023-05-22 |title=Eurovision 2024: Sandviken City Council to Examine a Potential Hosting Bid |url=https://eurovoix.com/2023/05/22/eurovision-2024-sandviken-potential-hosting-bid/ |access-date=2023-05-22 |website=Eurovoix }}</ref><ref>{{cite news |last=Jansson |first=Arvid |date=2023-05-21 |url=https://www.svt.se/nyheter/lokalt/gavleborg/sandvikens-kommun-vill-ta-eurovision-song-contest-till-goransson-arena |title=Sandvikens kommun vill ta Eurovision Song Contest till Göransson Arena |language=sv |trans-title=Sandviken Municipality wants to take the Eurovision Song Contest to the Göransson Arena |work=SVT Nyheter |publisher=SVT |access-date=2023-05-23}}</ref> |- style="background:#D0F0C0" ! rowspan="3" scope="rowgroup" style="background:#D0F0C0" | [[Stockholm]]{{nbs}}* | [[Friends Arena]] | Hosted all but one final of Melodifestivalen since [[Melodifestivalen 2013|2013]]. Preferred venue of the [[Stockholm City Council]]. | rowspan="3" |<ref>{{Cite web |last=Washak |first=James |date=2023-05-16 |title=Eurovision 2024: Stockholm's Aim is for the Friends Arena to Host the Contest |url=https://eurovoix.com/2023/05/16/eurovision-2024-stockholm-friends-arena-venue/ |access-date=2023-05-16 |website=Eurovoix}}</ref><ref>{{cite web|url=https://escxtra.com/2023/06/20/may-18th-ruled-possible-grand-final/|title=May 18th ruled out as possible Grand Final date in Stockholms Friends Arena|last=Rössing|first=Dominik|website=ESCXTRA|date=20 June 2023|access-date=20 June 2023}}</ref><ref>{{cite news|url=https://www.aftonbladet.se/nojesbladet/a/rlOxbe/taylor-swift-gor-en-extra-konsert-i-stockholm|title=Taylor Swift gör en extra konsert i Stockholm|trans-title=Taylor Swift to hold an extra concert in Stockholm|work=Aftonbladet|language=sv|date=29 June 2023|access-date=29 June 2023}}</ref><ref>{{cite web|last=Silva|first=Emanuel|date=2023-06-20|url=https://www.aftonbladet.se/nojesbladet/a/dwaJLJ/uppgifter-stockholm-vill-bygga-ny-arena-for-eurovision|title=Uppgifter: Stockholm vill bygga ny arena för Eurovision|trans-title=Details: Stockholm wants to build a new arena for Eurovision|work=Aftonbladet|language=sv|access-date=2023-06-20}}</ref><ref>{{Cite web |last=Conte |first=Davide |date=2023-06-21 |title= Eurovision 2024: Stockholm's Bid Based On New Temporary Arena |url=https://eurovoix.com/2023/06/21/eurovision-2024-stockholms-bid-temporary-arena/ |access-date=2023-06-21 |website=Eurovoix }}</ref><ref>{{Cite web |last1=Haimi |first1=Elina |last2=Saveland |first2=Amanda |date=2023-06-20 |title=Stockholm vill bygga ny arena för Eurovision nästa år |trans-title=Stockholm wants to build a new arena for Eurovision next year |url=https://www.dn.se/kultur/stockholm-vill-bygga-ny-arena-for-eurovision-nasta-ar/ |access-date=2023-06-21 |website=[[Dagens Nyheter]] |language=sv}}</ref> |- style="background:#D0F0C0" | [[Tele2 Arena]] | — |- style="background:#D0F0C0" | ''Temporary arena'' | Proposal set around building a temporary arena in {{ill|Frihamnen, Stockholm|lt=Frihamnen|sv}}, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks. |} == Participating countries == {{Further|List of countries in the Eurovision Song Contest}} Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an [[European Broadcasting Union#Members|active EBU membership]] capable of receiving the contest via the [[Eurovision (network)|Eurovision network]] and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members. On 5 December 2023, the EBU announced that at least 37 countries would participate in the 2024 contest. {{esccnty|Luxembourg}} is set to return to the contest 31 years after its last participation in {{Escyr|1993}}, while {{esccnty|Romania}}, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,<ref name="Participants">{{cite web|url=https://eurovision.tv/story/eurovision-2024-37-broadcasters-head-malmo|title=Eurovision 2024: 37 broadcasters head to Malmö|date=5 December 2023|access-date=5 December 2023|website=Eurovision.tv|publisher=EBU}}</ref><ref>{{cite web|last=Granger|first=Anthony|url=https://eurovoix.com/2024/01/03/romania-eurovision-2024-participation-still-being-discussed/|title=Romania: TVR Confirms Eurovision 2024 Participation Still Being Discussed|date=3 January 2024|access-date=3 January 2024|website=Eurovoix}}</ref> with talks still ongoing between the EBU and Romanian broadcaster [[TVR (broadcaster)|TVR]] {{as of|2024|1|17|lc=1}}; the country has been given until the end of January to definitively confirm its participation in the contest.<ref name="romdead1">{{cite web |last=Suta |first=Dan |date=17 January 2024 |title=Bomba momentului! Șeful TVR spune dacă România mai ajunge la Eurovision 2024 |trans-title=The bomb of the moment! The head of TVR says whether Romania will still make it to Eurovision 2024 |language=ro |url=https://www.fanatik.ro/bomba-momentului-seful-tvr-spune-daca-romania-mai-ajunge-la-eurovision-2024-20581615 |access-date=17 January 2024 |work=Fanatik}}</ref><ref name="romdead2">{{cite web |last=Stephenson |first=James |date=17 January 2024 |title=Romania: TVR's Board to Vote on Eurovision Participation on January 25 |url=https://eurovoix.com/2024/01/17/romania-tvrs-board-to-vote-on-eurovision-participation-on-january-25/ |access-date=17 January 2024 |work=Eurovoix}}</ref> {| class="wikitable plainrowheaders" |+ Participants of the Eurovision Song Contest 2024<ref name="Participants"/><ref>{{Cite web |title=Participants of Malmö 2024 |url=https://eurovision.tv/event/malmo-2024/participants |access-date=2023-12-11 |website=Eurovision.tv |publisher=EBU}}</ref> |- ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Artist ! scope="col" | Song ! scope="col" | Language ! scope="col" | Songwriter(s) |- ! scope="row" | {{Esc|Albania|y=2024}} | [[RTSH]] | [[Besa (singer)|Besa]] | "{{lang|sq|Zemrën n'dorë|i=unset}}" | [[Albanian language|Albanian]]{{efn|While the original version of "{{lang|sq|Zemrën n'dorë|i=no}}" is in Albanian, the song is set to undergo a revamp ahead of the contest, which on previous occasions has included the lyrics being partly or fully switched into English.<ref>{{Cite web |last=Adams |first=William Lee |date=2024-01-02 |title=Albania's Besa Kokëdhima confirms 'Zemrën n'dorë' revamp — what are your suggestions? |url=https://wiwibloggs.com/2024/01/02/albanias-besa-kokedhima-confirms-zemren-ndore-revamp-what-are-your-suggestions/278913/ |access-date=2024-01-02 |website=[[Wiwibloggs]] |language=en-US}}</ref><ref>{{Cite web |last=Washak |first=James |date=2024-01-02 |title=Albania: Besa Kokëdhima Confirms Revamp of Eurovision 2024 Entry |url=https://eurovoix.com/2024/01/02/albania-besa-kokedhima-revamp-eurovision-2024-entry/ |access-date=2024-01-02 |website=Eurovoix |language=en-GB}}</ref>}} | {{hlist|[[Besa (singer)|Besa Kokëdhima]]|Kledi Bahiti|[[Rozana Radi]]}} |- ! scope="row" | {{Esc|Armenia|y=2024}} | [[Public Television Company of Armenia|AMPTV]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Australia|y=2024}} | [[Special Broadcasting Service|SBS]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Austria|y=2024}} | [[ORF (broadcaster)|ORF]] | [[Kaleen (singer)|Kaleen]] | "We Will Rave"<ref name="Austria">{{Cite web |last=Stadlbauer |first=Clemens |date=16 January 2024 |title=Kaleen tanzt für Österreich in Malmö an |trans-title=Kaleen dances for Austria in Malmö |url=https://oe3.orf.at/m/stories/3038708/ |access-date=16 January 2024 |language=de-AT |work=[[Hitradio Ö3]] | publisher=[[ORF (broadcaster)|ORF]]}}</ref> | {{TBA|TBA March 2024<ref name="Austria"/>}} | {{hlist|[[Jimmy Thörnfeldt|Jimmy "Joker" Thörnfeldt]]|TBA<ref name="Austria"/>}} |- ! scope="row" | {{Esc|Azerbaijan|y=2024}} | [[İctimai Television|İTV]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Belgium|y=2024}} | [[RTBF]] | [[Mustii]] | colspan="3" {{TBA|TBA February 2024<ref>{{Cite web |last=Bijuvignesh |first=Darshan |date=30 August 2023 |title=Belgium: Mustii's Eurovision 2024 Song to Be Revealed in February |url=https://eurovoix.com/2023/08/30/belgium-mustiis-eurovision-2024-song-revealed-february/ |access-date=30 August 2023 |work=Eurovoix}}</ref>}} |- ! scope="row" | {{Esc|Croatia|y=2024}} | [[Croatian Radiotelevision|HRT]] | colspan="4" {{TBA|TBD 25 February 2024<ref>{{Cite web |date=January 8, 2024 |title=Dora 2024. održat će se 22., 23. i 25. veljače na Prisavlju |trans-title=Dora 2024 will be held on February 22, 23 and 25 in Prisavlje |url=https://magazin.hrt.hr/zabava/dora-2024-odrzat-ce-se-22-23-i-25-veljace-na-prisavlju-11270891 |url-status=live |archive-url=https://web.archive.org/web/20240108135622/https://magazin.hrt.hr/zabava/dora-2024-odrzat-ce-se-22-23-i-25-veljace-na-prisavlju-11270891 |archive-date=January 8, 2024 |access-date=January 8, 2024 |publisher=[[Croatian Radiotelevision|HRT]]}}</ref>}} |- ! scope="row" | {{Esc|Cyprus|y=2024}} | [[Cyprus Broadcasting Corporation|CyBC]] | [[Silia Kapsis]] | "Liar" | {{N/A|}} | {{hlist|[[Dimitris Kontopoulos]]|Elke Tiel<ref name="CYTitle">{{Cite Instagram|postid=C11435StwMb|user=cybc_eurovision|title=Exciting news! Unveiling the title and the amazing team behind Cyprus' Eurovision 2024 entry! Are you ready to say no to a Liar?|date=2024-01-08|access-date=2024-01-08|author=[[Cyprus Broadcasting Corporation|CyBC]]}}</ref>}} |- ! scope="row" | {{Esc|Czechia|name=Czechia|y=2024}} | [[Czech Television|ČT]] | [[Aiko (Czech singer)|Aiko]] | "[[Pedestal (Aiko song)|Pedestal]]" | [[English language|English]] | {{hlist|[[Aiko (Czech singer)|Alena Shirmanova-Kostebelova]]|[[Blood Red Shoes|Steven Ansell]]<ref>{{cite web|url=https://music.apple.com/us/song/pedestal/1703052098|title=Pedestal - Song by Aiko|work=[[Apple Music]]|publisher=[[Apple Inc.]]|date=2023-09-22|access-date=2023-12-13}}</ref>}} |- ! scope="row" | {{Esc|Denmark|y=2024}} | [[DR (broadcaster)|DR]] | colspan="4" {{TBA|TBD 17 February 2024<ref>{{cite web|last=Jiandani|first=Sanjay|url=https://esctoday.com/192013/denmark-dmgp-2024-date-host-city-and-venue-unveiled/|title=Denmark: DMGP 2024 date, host city and venue unveiled|work=ESCToday|date=2023-09-28|access-date=2023-09-28}}</ref>}} |- ! scope="row" | {{Esc|Estonia|y=2024}} | [[Eesti Rahvusringhääling|ERR]] | colspan="4" {{TBA|TBD 17 February 2024<ref>{{Cite web |last=Carabaña Menéndez |first=Hugo |date=15 September 2023 |title=Estonia arranca la búsqueda para Malmö: presentado el Eesti Laul 2024 con una sola semifinal y la final el 17 de febrero |trans-title=Estonia starts the search for Malmö: Eesti Laul 2024 has been presented, with a single semi-final and the final on 17 February |url=https://www.escplus.es/eurovision/2023/estonia-arranca-la-busqueda-para-malmo-presentado-el-eesti-laul-2024-con-una-sola-semifinal-y-la-final-el-17-de-febrero/ |access-date=15 September 2023 |website=ESCplus España |language=es-ES }}</ref>}} |- ! scope="row" | {{Esc|Finland|y=2024}} | [[Yle]] | colspan="4" {{TBA|TBD 10 February 2024<ref>{{Cite web |last=C |first=Alastair |date=2023-10-03 |title=UMK is Moving Cities and Finland are Looking for a Star for Eurovision 2024 |url=https://www.escunited.com/umk-is-moving-cities-and-finland-are-looking-for-a-star-for-eurovision-2024/ |access-date=2023-10-03 |website=ESCUnited |language=en-US}}</ref>}} |- ! scope="row" | {{Esc|France|y=2024}} | {{lang|fr|[[France Télévisions]]|i=unset}} | [[Slimane (singer)|Slimane]] | "{{lang|fr|[[Mon amour (Slimane song)|Mon amour]]|i=unset}}" | [[French language|French]] | {{hlist|Meïr Salah|[[Slimane (singer)|Slimane Nebchi]]|Yaacov Salah<ref>{{cite tweet|number=1722212873844478005|author=Slimane|user=SlimaneOff|title=La chanson s'appelle « Mon amour ». Je l'ai écrite et composée avec mes inséparables Yaacov et Meir Salah|trans-title=The song's called "Mon amour". I've written it with my inseparable Yaacov and Meir Salah|language=fr|access-date=2023-11-08}}</ref>}} |- ! scope="row" | {{Esc|Georgia|y=2024}} | [[Georgian Public Broadcaster|GPB]] | [[Nutsa Buzaladze]] | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Germany|y=2024}} | [[Norddeutscher Rundfunk|NDR]]{{efn|On behalf of the German public broadcasting consortium [[ARD (broadcaster)|ARD]]<ref>{{cite web |title=Alle deutschen ESC-Acts und ihre Titel |trans-title=All German ESC acts and their songs |url=https://www.eurovision.de/teilnehmer/vorentscheid386_glossaryPage-25.html |publisher=ARD |access-date=12 June 2023 |archive-url=https://web.archive.org/web/20230612084259/https://www.eurovision.de/teilnehmer/vorentscheid386_glossaryPage-25.html |archive-date=12 June 2023 |language=de |url-status=live}}</ref>}} | colspan="4" {{TBA|TBD 16 February 2024<ref>{{Cite web |date=7 September 2023 |title='Das Deutsche Finale 2024': Germany's road to Malmö |url=https://eurovision.tv/story/das-deutsche-finale-2024-germanys-road-malmo |access-date=7 September 2023 |website=Eurovision.tv |publisher=EBU}}</ref>}} |- ! scope="row" | {{Esc|Greece|y=2024}} | [[Hellenic Broadcasting Corporation|ERT]] | [[Marina Satti]] | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Iceland|y=2024}} | [[RÚV]] | colspan="4" {{TBA|TBD 2 March 2024<ref>{{Cite web |last=Adam |first=Darren |date=13 October 2023 |title=Söngvakeppnin back in Laugardalshöll |url=https://www.ruv.is/english/2023-10-13-songvakeppnin-back-in-laugardalsholl-393969 |access-date=13 October 2023 |publisher=[[RÚV]]}}</ref>}} |- ! scope="row" | {{Esc|Ireland|y=2024}} | [[RTÉ]] | colspan="4" {{TBA|TBD 26 January 2024<ref>{{Cite web |last=Gannon |first=Rory |date=2024-01-05 |title=Eurosong 2024 to take place on January 26th |url=https://thateurovisionsite.com/2024/01/05/eurosong-2024-january-26th/ |access-date=2024-01-05 |website=That Eurovision Site|language=en}}</ref>}} |- ! scope="row" | {{Esc|Israel|y=2024}} | [[Israeli Public Broadcasting Corporation|IPBC]] | {{N/A|}} | colspan="3" {{TBA|TBA March 2024<ref>{{Cite web |date=2024-01-16 |title=בצל המלחמה: השינוי הדרמטי בבחירת השיר הישראלי לאירוויזיון |trans-title=In the shadow of the war: the dramatic change in the selection of the Israeli song for Eurovision |language=he-IL |url=https://www.maariv.co.il/culture/music/Article-1068373 |access-date=2024-01-16 |website=[[Maariv (newspaper)|Maariv]]}}</ref>}} |- ! scope="row" | {{Esc|Italy|y=2024}} | [[RAI]] | colspan="4" {{TBA|TBD 10 February 2024{{efn|Participation in the [[Sanremo Music Festival 2024|Sanremo Music Festival]], used as the Italian national selection event for Eurovision, [[right of first refusal|does not require]] that the artists accept to represent the country at the contest in case of victory; participants who intend to are instead required to give their prior consent through a dedicated form. In the event that the winning artist has not agreed to that, national broadcaster [[RAI]] proceeds to internally select the Italian entrant for the contest.<ref>{{Cite web |last=Dammacco |first=Beppe |date=2023-07-10 |title=Sanremo 2024, fuori il regolamento. Il vincitore va all'Eurovision |trans-title=Sanremo 2024 rules released. The winner goes to Eurovision |url=https://www.eurofestivalnews.com/2023/07/10/sanremo-2024-regolamento-vincitore-eurovision/ |access-date=2023-07-10 |website=Eurofestival News |language=it-IT}}</ref><ref>{{cite web|url=https://www.rai.it/dl/doc/2023/07/10/1688977281669_Regolamento%20SANREMO%202024%20%20-.pdf|title=Regolamento Sanremo 2024|trans-title=Rules of Sanremo 2024|language=it|publisher=RAI|date=2023-07-10|access-date=2023-07-10|url-status=dead|archive-url=https://web.archive.org/web/20230715194411/https://www.rai.it/dl/doc/2023/07/10/1688977281669_Regolamento%20SANREMO%202024%20%20-.pdf|archive-date=2023-07-15}}</ref> This is usually confirmed during the winner's press conference held the morning after the final<ref>{{Cite web |last=Dammacco |first=Beppe |date=2023-02-12 |title=Marco Mengoni ha detto sì: vola a Liverpool per il suo secondo Eurovision |trans-title=Marco Mengoni has said yes: he's flying to Liverpool for his second Eurovision |url=https://www.eurofestivalnews.com/2023/02/12/marco-mengoni-conferma-eurovision-2023/ |access-date=2024-01-19|website=Eurofestival News |language=it-IT}}</ref>{{snd}}i.e. on 11 February 2024.}}}} |- ! scope="row" | {{Esc|Latvia|y=2024}} | [[Latvijas Televīzija|LTV]] | colspan="4" {{TBA|TBD 10 February 2024<ref>{{Cite web |date=2024-01-09 |title=Dziesmu konkursa «Supernova» pusfinālā uzstāsies 15 mākslinieki |trans-title=15 artists will perform in the semi-final of the "Supernova" song contest |url=https://www.lsm.lv/raksts/kultura/izklaide/09.01.2024-dziesmu-konkursa-supernova-pusfinala-uzstasies-15-makslinieki.a538169/ |access-date=2024-01-09 |website=lsm.lv |publisher=[[Latvijas Televīzija|LTV]] |language=lv}}</ref>}} |- ! scope="row" | {{Esc|Lithuania|y=2024}} | [[Lithuanian National Radio and Television|LRT]] | colspan="4" {{TBA|TBD 17 February 2024<ref name="lithuania">{{cite web|url=https://www.lrt.lt/naujienos/muzika/680/2153683/skelbiami-nacionalines-eurovizijos-atrankos-dalyviai-prie-starto-linijos-40-dainu|title=Skelbiami nacionalinės 'Eurovizijos' atrankos dalyviai: prie starto linijos – 40 dainų|trans-title=The participants of the national Eurovision selection have been announced: at the starting line, 40 songs|language=lt-LT|publisher=[[Lithuanian National Radio and Television|LRT]]|date=2023-12-19|access-date=2023-12-19}}</ref>}} |- ! scope="row" | {{Esc|Luxembourg|y=2024}} | [[RTL Group|RTL]] | colspan="4" {{TBA|TBD 27 January 2024<ref>{{cite web |title=Luxembourg sets January date for televised national final |url=https://eurovision.tv/story/luxembourg-sets-january-date-televised-national-final|date=3 July 2023|access-date=3 July 2023 |website=Eurovision.tv |publisher=EBU}}</ref>}} |- ! scope="row" | {{Esc|Malta|y=2024}} | [[Public Broadcasting Services|PBS]] | colspan="4" {{TBA|TBD 3 February 2024<ref>{{cite web |title=Malta: Malta Eurovision Song Contest 2024 Final to Last Six Days |url=https://eurovoix.com/2024/01/09/malta-eurovision-song-contest-2024-final-six-days/ |date=2024-01-09 |access-date=2024-01-09 |work=Eurovoix |first=Davide |last=Conte}}</ref>}} |- ! scope="row" | {{Esc|Moldova|y=2024}} | [[Teleradio-Moldova|TRM]] | colspan="4" {{TBA|TBD 17 February 2024<ref>{{cite web |title=Regulament cu privire la desfășurarea Selecției Naționale și desemnarea reprezentantului Republicii Moldova la concursul internațional Eurovision Song Contest 2024 |trans-title=Regulation on how the National Selection and the designation of the representative of the Republic of Moldova at the international Eurovision Song Contest 2024 will be conducted |url=https://eurovision.md/RegulamentEurovision2024.pdf |date=22 November 2023 |access-date=22 November 2023 |publisher=[[Teleradio-Moldova|TRM]] |language=ro}}</ref>}} |- ! scope="row" | {{Esc|Netherlands|y=2024}} | [[AVROTROS]] | [[Joost Klein]] | {{TBA|TBA March 2024<ref>{{Cite web |title=Joost Klein is de Nederlandse inzending voor het Songfestival 2024 |trans-title=Joost Klein is the Dutch entry for the Eurovision Song Contest 2024 |url=https://www.npo3fm.nl/nieuws/3fm-nieuws/3c391a3d-ab44-4249-8ccb-f3d67014ca80/joost-klein-is-de-nederlandse-inzending-voor-het-songfestival-2024 |date=2023-12-11 |access-date=2023-12-14 |website=[[NPO 3FM]] |publisher=[[Nederlandse Publieke Omroep (organisation)|NPO]] |language=nl}}</ref>}} | [[Dutch language|Dutch]]<ref name="nl">{{Cite web |last=Washak |first=James |date=2023-12-11 |title=Netherlands: Joost Klein to Eurovision 2024 |url=https://eurovoix.com/2023/12/11/netherlands-joost-klein-to-eurovision-2024/ |access-date=2023-12-11 |website=Eurovoix |language=en-GB}}</ref> | {{hlist|[[Donnie (Dutch rapper)|Donny Ellerström]]|[[Joost Klein]]<ref name="nl"/>}} |- ! scope="row" | {{Esc|Norway|y=2024}} | [[NRK]] | colspan="4" {{TBA|TBD 3 February 2024<ref>{{Cite web |last=Tangen |first=Anders Martinius |date=21 October 2023 |title=Mona Berntsen er ny sceneregissør for MGP og det bli finale 3.februar |trans-title=Mona Berntsen is the new stage director for MGP, and the final will be on February 3 |url=https://escnorge.no/2023/10/21/mona-berntsen-er-ny-koreograf-for-mgp-finale-4-februar/ |access-date=22 October 2023 |work=ESC Norge |language=nb}}</ref>}} |- ! scope="row" | {{Esc|Poland|y=2024}} | [[Telewizja Polska|TVP]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Portugal|y=2024}} |[[Rádio e Televisão de Portugal|RTP]] | colspan="4" {{TBA|TBD 9 March 2024<ref name="FDC24Final">{{Cite web |date=2024-01-12 |last=Granger |first=Anthony|title=Portugal: Festival da Canção 2024 Final on March 9 |url=https://eurovoix.com/2024/01/12/portugal-festival-da-cancao-2024-final-on-march-9/ |access-date=2024-01-12 |work=Eurovoix |language=en-GB}}</ref>}} |- ! scope="row" | {{Esc|San Marino|y=2024}} | [[San Marino RTV|SMRTV]] | colspan="4" {{TBA|TBD 24 February 2024<ref>{{Cite web |date=2023-11-29 |title=Festival 'Una Voce Per San Marino' The music contest linked to the Eurovision Song Contest 2023/2024 |url=https://www.unavocepersanmarino.com/wp-content/uploads/2023/11/SET-OF-RULES-FOR-UNA-VOCE-PER-SAN-MARINO-2024_rev2.pdf |access-date=2023-11-29 |publisher=[[San Marino RTV|SMRTV]] |language=en}}</ref>}} |- ! scope="row" | {{Esc|Serbia|y=2024}} | [[Radio Television of Serbia|RTS]] | colspan="4" {{TBA|TBD 2 March 2024<ref name="Serbia">{{Cite web|date=6 December 2023|last=Farren|first=Neil|title=Serbia: Pesma za Evroviziju 2024 Final on March 2|url=https://eurovoix.com/2023/12/06/serbia-pesma-za-evroviziju-2024-final-march-2/|access-date=6 December 2023|work=Eurovoix}}</ref>}} |- ! scope="row" | {{Esc|Slovenia|y=2024}} | [[Radiotelevizija Slovenija|RTVSLO]] | [[Raiven]] | "Veronika" | [[Slovene language|Slovene]] | {{hlist|{{ill|Bojan Cvjetićanin|sl}}|Danilo Kapel|Klavdija Kopina|Martin Bezjak|Peter Khoo|[[Raiven|Sara Briški Cirman]]<ref>{{cite AV media |title=Raiven - Veronika {{!}} Slovenia {{!}} Official Video {{!}} Eurovision 2024 |type=Music video |url=https://www.youtube.com/watch?v=uWcSsi7SliI |access-date=21 January 2023 |publisher=EBU |via=[[YouTube]]}}</ref>}} |- ! scope="row" | {{Esc|Spain|y=2024}} | [[RTVE]] | colspan="4" {{TBA|TBD 3 February 2024<ref>{{cite web|last=Casanova|first=Verónica|url=https://www.rtve.es/television/20230726/benidorm-fest-2024-novedades-fechas/2452394.shtml|title=Todas las novedades sobre el Benidorm Fest 2024: fechas de las galas y anuncio de artistas|trans-title=All the news about Benidorm Fest 2024: dates of the galas and artists announcement|publisher=[[RTVE]]|language=es-ES|date=2023-07-26|access-date=2023-07-26}}</ref>}} |- ! scope="row" | {{Esc|Sweden|y=2024}} | [[Sveriges Television|SVT]] | colspan="4" {{TBA|TBD 9 March 2024<ref>{{cite web|last=Conte|first=Davide|url=https://eurovoix.com/2023/09/20/melodifestivalen-2024-dates-cities/|title=Sweden: Melodifestivalen 2024 Dates and Host Cities Announced|work=Eurovoix|date=20 September 2023|access-date=20 September 2023}}</ref>}} |- ! scope="row" | {{Esc|Switzerland|y=2024}} | [[Swiss Broadcasting Corporation|SRG SSR]] | colspan="4" {{TBA|TBA March 2024<ref>{{Cite web |last=Granger |first=Anthony |date=2023-12-09 |title=Switzerland: Five Artists in Contention for Eurovision 2024 |url=https://eurovoix.com/2023/12/09/switzerland-five-artists-in-contention-for-eurovision-2024/ |access-date=2023-12-09 |website=Eurovoix}}</ref>}} |- ! scope="row" | {{Esc|Ukraine|y=2024}} | {{lang|uk-latn|[[Suspilne]]|i=unset}} | colspan="4" {{TBA|TBD 3 February 2024<ref>{{Cite web |last=Díaz |first=Lorena |date=13 December 2023 |title=Vidbir 2024: Desveladas las 9 canciones de la repesca y fechada la final del certamen para el 3 de febrero |trans-title=Vidbir 2024: The 9 songs of the second chance have been revealed and the final of the contest has been scheduled for 3 February |url=https://www.escplus.es/eurovision/2023/vidbir-2024-desveladas-las-9-canciones-de-la-repesca-y-fechada-la-final-del-certamen-para-el-3-de-febrero/ |access-date=13 December 2023 |website=ESCplus España |language=es-ES }}</ref>}} |- ! scope="row" | {{Esc|United Kingdom|y=2024}} | [[BBC]] | [[Olly Alexander]] | {{N/A|}} | {{N/A|}} | {{hlist|[[Olly Alexander|Oliver Alexander Thornton]]|[[Danny L Harle|Daniel Harle]]<ref name="United Kingdom">{{Cite web |last=Savage |first=Mark |url=https://www.bbc.co.uk/news/entertainment-arts-67731243|title=Eurovision 2024: Pop star Olly Alexander to represent the UK|date=2023-12-16 |access-date=2023-12-16 |work=[[BBC News Online]] |publisher=[[BBC]]}}</ref>}} |} === Other countries ===<!-- Only include countries that have information specific to 2024--> * {{Esc|North Macedonia}}{{snd}}Despite previous allocation of funds to participate in the 2024 contest,<ref>{{cite web|last=Sturtridge|first=Isaac|url=https://escxtra.com/2023/09/17/north-macedonia-to-return-to-eurovision-2024/|title=North Macedonia to return to Eurovision 2024|work=ESCXTRA|date=2023-09-17|access-date=2023-09-18}}</ref> Macedonian broadcaster [[Macedonian Radio Television|MRT]] ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.<ref name="Macedonia1">{{Cite web |last=Jiandani |first=Sanjay |date=2023-12-05 |title=North Macedonia: MKRTV confirms non participation at Eurovision 2024 |url=https://esctoday.com/191664/north-macedonia-mkrtv-confirms-non-participation-at-eurovision-2024/ |access-date=2023-12-06 |website=ESCToday |language=en}}</ref><ref name="Macedonia2">{{Cite web |last=Stephenson |first=James |date=2023-12-06 |title=North Macedonia: MRT Explains Absence from Eurovision 2024 |url=https://eurovoix.com/2023/12/06/north-macedonia-mrt-explains-absence-from-eurovision-2024/ |access-date=2023-12-06 |website=Eurovoix}}</ref> North Macedonia last took part in {{Escyr|2022}}. * {{Esc|Romania}}{{snd}} Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.<ref name="Participants"/> Shortly after, Romanian broadcaster [[TVR (TV network)|TVR]] explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the [[Ministry of Public Finance (Romania)|Ministry of Finance]], confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.<ref>{{cite web |last=Katsoulakis |first=Manos |date=12 September 2023 |title=Romania: Eurovision 2024 participation lies on the decision of the Minister of Finance! |url=https://eurovisionfun.com/en/2023/09/romania-eurovision-2024-participation-lies-on-the-decision-of-the-minister-of-finance/ |access-date=12 September 2023 |work=Eurovisionfun}}</ref><ref>{{cite web |last=Koronakis |first=Spyros |date=7 December 2023 |title=Romania: TVR received extra time from the EBU to pay the participation fee! |url=https://eurovisionfun.com/en/2023/12/romania-tvr-received-extra-time-from-the-ebu-to-pay-the-participation-fee/ |access-date=7 December 2023 |work=Eurovisionfun}}</ref> In mid-January 2024, TVR's director {{ill|Dan Turturică|ro}} disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.<ref name="romdead1"/><ref name="romdead2"/> Active EBU member broadcasters in {{Esccnty|Andorra}}, {{Esccnty|Bosnia and Herzegovina}}, {{Esccnty|Monaco}} and {{Esccnty|Slovakia}} confirmed non-participation prior to the announcement of the participants list by the EBU.<ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-08-21 |title=Andorra: RTVA confirms non participation at Eurovision 2024 |url=https://esctoday.com/191745/andorra-rtva-confirms-non-participation-at-eurovision-2024/ |access-date=2023-08-21 |website=ESCToday |language=en}}</ref><ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-08-02 |title=Bosnia & Herzegovina: BHRT confirms non participation at Eurovision 2024 |url=https://esctoday.com/191722/bosnia-herzegovina-bhrt-confirms-non-participation-at-eurovision-2024/ |access-date=2023-08-02 |website=ESCToday }}</ref><ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-09-15 |title=Monaco: MMD-TVMONACO will not compete at Eurovision 2024 |url=https://esctoday.com/191779/monaco-mmd-tvmonaco-will-not-compete-at-eurovision-2024/ |access-date=2023-09-15 |website=ESCToday }}</ref><ref>{{cite web |date=4 June 2023 |title=Eslovaquia: RTVS seguirá fuera de Eurovisión y Eurovisión Junior |trans-title=Slovakia: RTVS will remain out of Eurovision and Junior Eurovision |url=https://eurofestivales.blogspot.com/2023/06/eslovaquia-rtvs-seguira-fuera-de.html |access-date=4 June 2023 |work=Eurofestivales |language=es-ES}}</ref> == Production == The Eurovision Song Contest 2024 will be produced by the Swedish national broadcaster {{lang|sv|[[Sveriges Television]]|i=unset}} (SVT). The core team will consist of Ebba Adielsson as executive producer, {{ill|Christel Tholse Willers|sv}} as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer, [[Christer Björkman]] as contest producer, and {{ill|Per Blankens|sv}} as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.<ref name="2024coreteameng">{{Cite web |date=2023-06-14 |title=SVT appoints Eurovision Song Contest 2024 core team |url=https://eurovision.tv/story/svt-appoints-eurovision-song-contest-2024-core-team |access-date=2023-06-14 |website=Eurovision.tv |publisher=EBU}}</ref><ref name="finalteam">{{Cite web |date=2023-09-11 |title=Eurovision 2024 core team for Malmö is now complete |url=https://eurovision.tv/story/eurovision-2024-core-team-malmo-now-complete |access-date=2023-09-11 |website=Eurovision.tv |publisher=EBU |language=en}}</ref><ref name="svtteam">{{Cite press release |date=2023-06-14 |title=ESC 2024 - SVT har utsett ansvarigt team |trans-title=ESC 2024 - SVT has appointed the responsible team |url=https://omoss.svt.se/arkiv/nyhetsarkiv/2023-06-14-esc-2024---svt-har-utsett-ansvarigt-team.html |access-date=2023-06-14 |publisher=SVT |language=sv}}</ref> [[Edward af Sillén]] and {{ill|Daniel Réhn|sv}} will write the script for the live shows' hosting segments and the opening and interval acts.<ref>{{Cite web |url=https://eurovision.tv/story/swedish-writing-dream-team-returns-malmo-2024 |title=Swedish writing dream team returns for Malmö 2024 |work=Eurovision.tv |publisher=EBU |date=2023-12-07 |access-date=2023-12-07 |lang=en-gb}}</ref> A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: {{Escyr|2000}}, 2013 and 2016. [[Malmö Municipality]] will contribute {{currency|30 million|SEK2|passthrough=yes}} (approximately {{currency|2.5 million|EUR|passthrough=yes}}) to the budget of the contest.<ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-09-18 |title=Eurovision 2024: Malmo to invest €2.5 million on the contest |url=https://esctoday.com/191959/eurovision-2024-malmo-to-invest-e-2-5-million-on-the-contest/ |access-date=2023-09-18 |website=ESCToday}}</ref><ref>{{Cite web |last=Westerberg |first=Olof |date=2024-01-14 |title=Så används 30 miljoner av Malmöbornas pengar på Eurovisionfesten |trans-title=This is how 30 million of Malmö residents' money is used at the Eurovision festival |url=https://www.sydsvenskan.se/2024-01-14/sa-anvands-30-miljoner-av-malmobornas-pengar-pa-eurovisionfesten |url-access=subscription |access-date=2024-01-17 |website=Sydsvenskan |language=sv}}</ref> === Slogan and visual design === On 14 November 2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.<ref name="Slogan">{{Cite web |date=2023-11-14 |title='United By Music' chosen as permanent Eurovision slogan |url=https://eurovision.tv/story/united-by-music-permanent-slogan |access-date=2023-11-14 |work=Eurovision.tv |publisher=EBU |lang=en-gb}}</ref> The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on [[Aurora|auroras]] and [[Equalization (audio)|sound equalisers]], and was built with adaptability across different formats taken into account.<ref name=":2">{{Cite web |date=2023-12-14 |title=Eurovision 2024 theme art revealed! |url=https://eurovision.tv/story/eurovision-2024-theme-art-revealed |access-date=2023-12-14 |website=Eurovision.tv |publisher=EBU |language=en}}</ref><ref>{{Cite Instagram|postid=C01r1pPChen|user=uncut_stuff|title=Uncut has been tasked, together with SVT's internal team, to lead the strategic direction for Eurovision as well as the moving visual identity. Uncut and SVT, in turn, have built a unique, creative team for the project, where Sidney Lim from Bold Stockholm, among others, takes on the role as the designer.|date=2023-12-14|access-date=2023-12-14|author=Uncut}}</ref><ref>{{Cite web |date=2023-12-15 |title=First glimpse of the Eurovision 2024 brand identity |url=https://www.boldscandinavia.com/first-glimpse-of-the-eurovision-2024-brand-identity/ |access-date=2023-12-25 |website=Bold Scandinavia |language=en-US}}</ref> === Stage design === The stage design for the 2024 contest was unveiled on 19 December 2023. It was devised by German [[Florian Wieder]], the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable [[LED lamp|LED]] cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.<ref name=":3">{{Cite web |date=2023-12-19 |title=Incredible stage revealed for Eurovision 2024 |url=https://eurovision.tv/story/incredible-stage-revealed-eurovision-2024 |access-date=2023-12-19 |website=Eurovision.tv |publisher=EBU |language=en}}</ref> == Format == === Semi-final allocation draw === The draw to determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00 [[Central European Time|CET]].<ref name=":4">{{Cite web |date=2023-12-21 |title=Details released for 'Eurovision Song Contest 2024: The Draw' |url=https://eurovision.tv/story/details-released-eurovision-song-contest-2024-draw |access-date=2023-12-21 |website=Eurovision.tv |publisher=EBU |language=en}}</ref> The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of [[Block voting|bloc voting]] and to increase suspense in the semi-finals.<ref>{{cite web |date=14 January 2017 |title=Eurovision Song Contest: Semi-Final Allocation Draw |url=https://eurovision.tv/about/in-depth/semi-final-allocation-draw/ |access-date=2 July 2020 |website=Eurovision.tv |publisher=EBU}}</ref> The draw also determines which semi-final each of the six automatic qualifiers{{snd}}host country {{Esccnty|Sweden}} and "[[Big Five (Eurovision)|Big Five]]" countries ({{Esccnty|France}}, {{Esccnty|Germany}}, {{Esccnty|Italy}}, {{Esccnty|Spain}} and the {{Esccnty|United Kingdom}}){{snd}}will vote in and be required to broadcast. The ceremony will be hosted by [[Pernilla Månsson Colt]] and [[Farah Abadi]], and is expected to include the passing of the [[List of Eurovision Song Contest host cities#Host city insignia|host city insignia]] from the mayor (or equivalent role) of previous host city [[Liverpool]] to the one of Malmö<!--{{snd}}i.e. from Andrew Lewis, chief executive of the [[Liverpool City Council]], to [[Katrin Stjernfeldt Jammeh]], commissioner of Malmö Municipality-->.<ref name=":4" /><ref name="FAQs">{{cite web |title=FAQ: Malmö 2024 |url=https://eurovision.tv/mediacentre/frequently-asked-questions-24 |access-date=5 December 2023 |website=Eurovision.tv |publisher=EBU}}</ref><ref>{{Cite web |date=2023-06-15 |title=SVT:s hemliga kravlista |trans-title=SVT's secret list of demands |url=https://www.aftonbladet.se/a/4oG4p9 |url-access=subscription |access-date=2023-06-15 |website=Aftonbladet |language=sv}}</ref> === Proposed changes === A number of changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the {{lang|de|[[Meistersaal]]|i=unset}} in [[Berlin]], Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.<ref name="Karlsen">{{Cite AV media |url=https://www.youtube.com/watch?v=89i6_tSBC3c |title=Eurovíziós Podcast - Mi a norvég siker titka, mit tanácsol nekünk Stig Karlsen delegációvezető? |date=2023-07-15 |publisher=EnVagyokViktor |trans-title=Eurovision Podcast - What is the secret of Norwegian success, what does head of delegation Stig Karlsen advise us? |time=23:39 |quote=This is being discussed, you know, there's a Eurovision workshop where all the delegations get to travel to in Berlin in September, so that's [the] time where we can really voice our opinion, and I think that this is gonna be one of the things that will be discussed, and I think that they're gonna figure it out in September, and then there's gonna be an official release maybe in January, at least this is what I've heard. |via=YouTube}}</ref><ref>{{cite web |last=Jiandani |first=Sanjay |date=2023-09-11 |title=EBU: Eurovision Workshop in Berlin on 15 September |url=https://esctoday.com/191877/ebu-eurovision-workshop-in-berlin-on-15-september/ |access-date=2023-09-11 |work=ESCToday}}</ref> The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.<ref>{{Cite web |date=2023-11-01 |title=The Rules of the Contest 2024 |url=https://eurovision.tv/about/rules |access-date=2023-11-05 |website=Eurovision.tv |publisher=EBU |language=en}}</ref> Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.<ref>{{Cite web |last=Ek |first=Torbjörn |date=2023-09-11 |title=Christer Björkman gör Eurovision-comeback |trans-title=Christer Björkman makes a Eurovision comeback |url=https://www.aftonbladet.se/a/WRAr1k |access-date=2023-09-11 |website=Aftonbladet |language=sv}}</ref> ==== Voting system and rules ==== {{See also|Voting at the Eurovision Song Contest}} After the outcome of the 2023 contest, which saw {{Esccnty|Sweden|y=2023}} win despite {{Esccnty|Finland|y=2023}}'s lead in the televoting, [[Eurovision Song Contest 2023#Reaction to the results|sparked controversy]] among the audience, Norwegian broadcaster [[NRK]] started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in {{esccnty|Norway|y=2019|t=2019}} and {{esccnty|Norway|y=2023|t=2023}}, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.<ref>{{Cite web |last=Ntinos |first=Fotios |date=2023-09-12 |title=Eurovision 2024: Did Stig Karlsen succeed in reducing the power of juries? |url=https://eurovisionfun.com/en/2023/09/eurovision-2024-did-stig-karlsen-succeed-in-reducing-the-power-of-juries/ |access-date=2023-09-12 |work=Eurovisionfun}}</ref> In an interview, the Norwegian head of delegation {{ill|Stig Karlsen|no}} discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.<ref>{{cite web |last=Stephenson |first=James |date=2023-07-19 |title=Eurovision 2024: Norway Plans to Propose New Voting System |url=https://eurovoix.com/2023/07/19/eurovision-2024-norway-plans-to-propose-new-voting-system/ |access-date=2023-07-19 |work=Eurovoix}}</ref><ref>{{cite web|url=https://eurovision.tv/voting-changes-2023-faq|title=Voting changes (2023) FAQ|website=Eurovision.tv |date=22 November 2022 |publisher=EBU|access-date=2023-07-19}}</ref> Any changes to the voting system are expected to be officially announced in January 2024.<ref>{{cite web|last=Granger|first=Anthony|date=2023-06-14|url=https://eurovoix.com/2023/06/14/ebu-discussions-changes-jury-system-eurovision-2024/|title=EBU in Discussions Regarding Changes to Jury System for Eurovision 2024|work=Eurovoix|access-date=2023-06-14}}</ref> At the [[Edinburgh TV Festival]] in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning [[artificial intelligence|AI]]-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".<ref>{{Cite news |last=Seal |first=Thomas |date=2023-08-24 |title=Eurovision Organizers Consider Banning AI From Kitschy Pop Contest |language=en |work=[[Bloomberg News]] |url=https://www.bloomberg.com/news/articles/2023-08-24/eurovision-organizers-consider-ai-ban-at-kitschy-pop-contest |url-access=subscription |access-date=2023-08-25}}</ref> On 27 November 2023, Sammarinese broadcaster [[San Marino RTV|SMRTV]] launched [[San Marino in the Eurovision Song Contest 2024#The San Marino Sessions|a collaboration with London-based AI startup Casperaki]] as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.<ref>{{cite web|title=Casperaki introduce un'opportunità globale: ora chiunque può avere la possibilità di partecipare alla selezione nazionale Una Voce per San Marino|trans-title=Casperaki introduces a global opportunity: Now anyone can have a chance to be a contestant at the Una Voce per San Marino national selection|language=it,en|url=https://www.sanmarinortv.sm/news/comunicati-c9/casperaki-introduce-un-opportunita-globale-ora-chiunque-puo-avere-la-possibilita-di-partecipare-alla-selezione-nazionale-una-voce-per-san-marino-a250843|work=sanmarinortv.sm|publisher=SMRTV|date=2023-11-28|access-date=2023-11-28}}</ref> Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final {{lang|no|[[Melodi Grand Prix 2024]]}}, revealed on 5 January 2024.<ref>{{Cite web |date=5 January 2024 |title=Norway's Melodi Grand Prix 2024: The 18 artists and songs |url=https://eurovision.tv/story/norways-mgp-2024-songs |access-date=5 January 2024 |work=Eurovision.tv |publisher=EBU}}</ref> In late September 2023, [[Carolina Norén]], {{lang|sv|[[Sveriges Radio]]|i=unset}}'s commentator for the contest, revealed that she had resumed talks with executive supervisor [[Martin Österdahl]] concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.<ref>{{cite web|last=Rowe|first=Callum|date=2023-09-26|url=https://eurotrippodcast.com/2023/09/26/svt-presenter-urging-martin-osterdahl-about-big-five-change/|title=Swedish commentator urging Martin Österdahl to change Big Five rule|work=The Euro Trip Podcast|access-date=2023-09-27}}</ref> == Broadcasts == All participating broadcasters may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest [[YouTube]] channel provides international live streams with no commentary of all shows. The following are the broadcasters that have confirmed in whole or in part their broadcasting plans: {| class="wikitable plainrowheaders" |+ Broadcasters and commentators in participating countries ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Channel(s) ! scope="col" | Show(s) ! scope="col" | Commentator(s) ! scope="col" | {{Abbr|Ref(s)|Reference(s)}} |- ! scope="row" | {{flagu|Australia}} | [[Special Broadcasting Service|SBS]] | [[SBS (Australian TV channel)|SBS]] | All shows | rowspan="5" {{TBA}} | <ref>{{Cite web|last=Knox|first=David|url=https://tvtonight.com.au/2023/10/2024-upfronts-sbs-nitv.html|title=2024 Upfronts: SBS / NITV|work=[[TV Tonight]]|date=2023-10-31|access-date=2023-10-31}}</ref> |- ! scope="row" | {{flagu|France}} | {{lang|fr|[[France Télévisions]]|i=unset}} | [[France 2]] | Final | <ref>{{cite web|url=https://www.france.tv/france-2/eurovision/|title=Eurovision|work=France.tv|publisher=[[France Télévisions]]|language=fr-FR|access-date=2023-11-08|archive-url=https://web.archive.org/web/20231108154720/https://www.france.tv/france-2/eurovision/|archive-date=2023-11-08|url-status=live}}</ref> |- ! scope="row" | {{flagu|Germany}} | [[ARD (broadcaster)|ARD]]/[[Norddeutscher Rundfunk|NDR]] | {{lang|de|[[Das Erste]]|i=unset}} | Final |<ref>{{Cite web|work=[[Süddeutsche Zeitung]]|language=de|title=ARD hält an ESC-Teilnahme fest|trans-title=ARD is sticking to ESC participation|url=https://www.sueddeutsche.de/kultur/musik-ard-haelt-an-esc-teilnahme-fest-dpa.urn-newsml-dpa-com-20090101-230515-99-698691|date=2023-05-15|access-date=2023-05-15}}</ref> |- ! scope="row" | {{flagu|Italy}} | [[RAI]] | [[Rai 1]] | Final | <ref>{{Cite web|title=Claudio Fasulo: 'Più Eurovision su Rai1 nel 2024. Mengoni e la bandiera arcobaleno? Non lo sapevamo'|trans-title=Claudio Fasulo: "More Eurovision on Rai1 in 2024. Mengoni's rainbow flag? We did not know about it"|url=https://www.fanpage.it/spettacolo/eventi/claudio-fasulo-piu-eurovision-su-rai1-nel-2024-mengoni-e-la-bandiera-arcobaleno-non-lo-sapevamo/|date=2023-05-15|access-date=2023-07-15|website=[[Fanpage.it]]|language=it}}</ref> |- ! scope="row" | {{flagu|Luxembourg}} | [[RTL Group|RTL]] | [[RTL (Luxembourgian TV channel)|RTL]] | All shows | <ref>{{Cite web|title=Luxembourg to return to the Eurovision Song Contest in 2024|url=https://eurovision.tv/story/luxembourg-return-eurovision-2024|url-status=live|archive-url=https://web.archive.org/web/20230514012411/https://eurovision.tv/story/luxembourg-return-eurovision-2024|archive-date=14 May 2023|date=12 May 2023|access-date=14 May 2023|website=Eurovision.tv|publisher=EBU}}</ref> |- ! scope="row" |{{flagu|Poland}} | [[Telewizja Polska|TVP]] | {{TBA}} | rowspan="3" {{TBA}} | [[Artur Orzech]] | <ref>{{Cite web |last=Puzyr |first=Małgorzata |date=2024-01-12 |title=Znany prezenter wraca do TVP. Odchodził w atmosferze skandalu |trans-title=Well-known presenter returns to TVP. He left amid scandal |url=https://rozrywka.dorzeczy.pl/film-i-telewizja/536649/artur-orzech-wraca-do-tvp-wiadomo-czym-sie-zajmie.html |access-date=2024-01-12 |website=[[Do Rzeczy|Rozrywka Do Rzeczy]] |language=pl}}</ref> |- ! rowspan="2" scope="rowgroup" | {{flagu|Ukraine}} | rowspan="2" | {{lang|uk-latn|[[Suspilne]]|i=unset}} | {{lang|uk-latn|[[Suspilne Kultura]]|i=unset}} | rowspan="3" {{TBA}} | rowspan="2" | <ref>{{cite web|title=Україна візьме участь у Євробаченні-2024: хто стане музичним продюсером?|trans-title=Ukraine will take part in Eurovision 2024: who will be the music producer?|url=https://eurovision.ua/5331-ukrayina-vizme-uchast-u-yevrobachenni-2024-hto-stane-muzychnym-prodyuserom/|date=2023-08-28|access-date=2023-08-28|website=Eurovision.ua|publisher=Suspilne|language=uk}}</ref> |- | {{lang|uk-latn|{{ill|Radio Promin|uk|Радіо Промінь}}|i=unset}} |- ! scope="row" | {{flagu|United Kingdom}} | [[BBC]] | [[BBC One]] | All shows | <ref>{{Cite web |last=Heap |first=Steven |date=2023-08-27 |title=United Kingdom: BBC Confirms Semi Finals Will Stay on BBC One in 2024 |url=https://eurovoix.com/2023/08/27/bbc-confirms-semi-finals-will-stay-on-bbc-one-in-2024/ |access-date=2023-08-28 |website=Eurovoix |language=en-GB}}</ref><ref>{{Cite press release |date=2023-10-18 |title=United Kingdom participation in the Eurovision Song Contest 2024 is confirmed plus all three live shows will be broadcast on BBC One and iPlayer |url=https://www.bbc.co.uk/mediacentre/2023/eurovision-2024-uk-confirmed/ |access-date=2023-10-18 |publisher=[[BBC]] |language=en}}</ref> |} {| class="wikitable plainrowheaders" |+ Broadcasters and commentators in other countries ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Channel(s) ! scope="col" | Show(s) ! scope="col" | Commentator(s) ! scope="col" | {{Abbr|Ref(s)|Reference(s)}} |- ! scope="row" | {{flagu|Montenegro}} | [[Radio and Television of Montenegro|RTCG]] | rowspan="2" colspan="3" {{TBA}} | <ref>{{Cite web |last=Ibrayeva |first=Laura |date=2024-01-07 |title=Montenegro: RTCG Intends to Broadcast Eurovision & Junior Eurovision 2024 |url=https://eurovoix.com/2024/01/07/montenegro-rtcg-broadcast-eurovision-junior-eurovision-2024/ |access-date=2024-01-07 |website=Eurovoix |language=en}}</ref> |- ! scope="row" | {{flagu|North Macedonia}} | [[Macedonian Radio Television|MRT]] | <ref name="Macedonia1" /><ref name="Macedonia2" /> |} == Incidents == === Israeli participation === {{main|Israel in the Eurovision Song Contest 2024#Calls for exclusion}} <!-- This is a summary, do not extend this with more information than necessary as they're all within the Israel in ESC2024 page, and other relevant country pages. Additionally, do not make edits regarding the war that may violate WP:NPOV -->Since the outbreak of the [[Israel–Hamas war]] on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the [[Gaza humanitarian crisis (2023–present)|humanitarian crisis]] resulting from [[2023 Israeli invasion of the Gaza Strip|Israeli military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 77bfa75e47ae88a03dd07be7342b56cda0b4aa59 Template:Infobox edition 10 30 35 2024-01-22T12:23:37Z Globalvision 2 Created page with "{| class="infobox" cellspacing="5" style="border-spacing:3px; width:24em; background:#FAFAFA; float:right; font-size:90%; text-align:left; valign:top; border: 1px solid #CCCCCC" ! colspan=2 class="summary" style="font-size: 140%; background: #bfdfff; text-align: center; padding: 3px" | {{{name|{{PAGENAME}}}}} {{{year|<noinclude>-</noinclude>}}}{{{уear|<noinclude>-</noinclude>}}}<br /><small>''{{nobold|{{{theme|<noinclude>-</noinclude>}}}}}''</small> |- {{#if: {{{logo|<..." wikitext text/x-wiki {| class="infobox" cellspacing="5" style="border-spacing:3px; width:24em; background:#FAFAFA; float:right; font-size:90%; text-align:left; valign:top; border: 1px solid #CCCCCC" ! colspan=2 class="summary" style="font-size: 140%; background: #bfdfff; text-align: center; padding: 3px" | {{{name|{{PAGENAME}}}}} {{{year|<noinclude>-</noinclude>}}}{{{уear|<noinclude>-</noinclude>}}}<br /><small>''{{nobold|{{{theme|<noinclude>-</noinclude>}}}}}''</small> |- {{#if: {{{logo|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[file:{{{logo}}}|{{{size|340px}}}]] {{!}}- }} {{#if: {{{caption|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} {{{caption}}} {{!}}- }} {{#if: {{{pqr|<noinclude>-</noinclude>}}}{{{semi|<noinclude>-</noinclude>}}}{{{semi2|<noinclude>-</noinclude>}}}{{{final|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Dates {{!}}- }} {{#if: {{{semi1|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-final&nbsp;1}} {{!}} {{{semi1}}} {{!}}- }} {{#if: {{{semis|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-finals}} {{!}} {{{semis}}} {{!}}- }} {{#if: {{{semi2|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-final&nbsp;2}} {{!}} {{{semi2}}} {{!}}- }} {{#if: {{{semi3|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-final&nbsp;3}} {{!}} {{{semi3}}} {{!}}- }} {{#if: {{{semi4|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-final&nbsp;4}} {{!}} {{{semi4}}} {{!}}- }} {{#if: {{{second|<noinclude>-</noinclude>}}}| !{{nowrap|Second-chance}} {{!}} {{{second}}} {{!}}- }} {{#if: {{{final|<noinclude>-</noinclude>}}}| ! Final {{!}} {{{final}}} {{!}}- }} {{#if: {{{venue|<noinclude>-</noinclude>}}}{{{presenters|<noinclude>-</noinclude>}}}{{{conductor|<noinclude>-</noinclude>}}}{{{director|<noinclude>-</noinclude>}}}{{{host|<noinclude>-</noinclude>}}}{{{interval|<noinclude>-</noinclude>}}}{{{opening|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Host {{!}}- }} {{#if: {{{venue|<noinclude>-</noinclude>}}}| ! Venue {{!}} class="location" {{!}} {{{venue}}} {{!}}- }} {{#if: {{{presenters|<noinclude>-</noinclude>}}}| ! Presenter(s) {{!}} {{{presenters}}} {{!}}- }} {{#if: {{{opening|<noinclude>-</noinclude>}}}| ! Acts {{!}} {{{opening}}} {{!}}- }} {{#if: {{{interval|<noinclude>-</noinclude>}}}| ! Interval&nbsp;act {{!}} {{{interval}}} {{!}}- }} {{#if: {{{director|<noinclude>-</noinclude>}}}| ! Directed&nbsp;by {{!}} {{{director}}} {{!}}- }} {{#if: {{{supervisor|<noinclude>-</noinclude>}}}| ! Supervisor {{!}} {{{supervisor}}} {{!}}- }} {{#if: {{{producer|<noinclude>-</noinclude>}}}| ! Producer {{!}} {{{producer}}} {{!}}- }} {{#if: {{{host|<noinclude>-</noinclude>}}}| ! Broadcaster {{!}} {{{host}}} {{!}}- }} {{#if: {{{website|<noinclude>-</noinclude>}}}| ! Website {{!}} {{{website}}} {{!}}- }} {{#if: {{{entries|<noinclude>-</noinclude>}}}{{{debut|<noinclude>-</noinclude>}}}{{{return|<noinclude>-</noinclude>}}}{{{withdraw|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Participants {{!}}- }} {{#if: {{{entries|<noinclude>-</noinclude>}}}| ! Entries {{!}} {{{entries}}} {{!}}- }} {{#if: {{{debut|<noinclude>-</noinclude>}}}| ! Debuting {{!}} {{{debut}}} {{!}}- }} {{#if: {{{return|<noinclude>-</noinclude>}}}| ! {{abbr|Returning|Countries that participated after non participating in the previous event}} {{!}} {{{return}}} {{!}}- }} {{#if: {{{withdraw|<noinclude>-</noinclude>}}}| ! {{abbr|Withdrawing|Countries that did not participate after participating in the previous event}} {{!}} {{{withdraw}}} {{!}}- }} {{#if: {{{map year|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} {{ collapsible list | title = '''Participation map''' | expand = yes | titlestyle = text-align: center; background-color: #bfdfff | 1 = {{Infobox edition/{{{map year}}}}} {{#if: {{{Green|}}} | {{Infobox song contest/Legend|{{{Greenc|#22b14c}}}|{{{Green2|Participating countries}}}}} | }}{{#if: {{{Green SA|}}} | {{Infobox song contest/Legend|#22b14c|{{{Green SA2|Confirmed countries that have selected their song and/or performer}}}}} | }}{{#if: {{{Purple|}}} | {{Infobox song contest/Legend|#782167|{{{Purple2|Confirmed countries}}}}} | }}{{#if: {{{Red|}}} | {{Infobox song contest/Legend|#d40000|{{{Red2|Did not qualify from the semi final or the PQR}}}}} | }}{{#if: {{{Yellow|}}} | {{Infobox song contest/Legend|#ffc20e|{{{Yellow2|Countries that participated in the past but not this edition}}}}} | }} {{#if: {{{Blue|}}} | {{Infobox song contest/Legend|#0e2fff|{{{Blue2|Countries that are still to confirm their participation}}}}} | }} {{#if: {{{L1|}}} | {{Infobox song contest/Legend|{{{L1C|Grey}}}|{{{L1T|Text}}}}} | }}{{#if: {{{E1|}}} | {{{E1|}}} | }}{{#if: {{{L2|}}} | {{Infobox song contest/Legend|{{{L2C|Grey}}}|{{{L2T|Text}}}}} | }}{{#if: {{{E2|}}} | {{{E2|}}} | }}{{#if: {{{L3|}}} | {{Infobox song contest/Legend|{{{L3C|Grey}}}|{{{L3T|Text}}}}} | }}{{#if: {{{E3|}}} | {{{E3|}}} | }}{{#if: {{{L4|}}} | {{Infobox song contest/Legend|{{{L4C|Grey}}}|{{{L4T|Text}}}}} | }}{{#if: {{{E4|}}} | {{{E4|}}} | }}{{#if: {{{L5|}}} | {{Infobox song contest/Legend|{{{L5C|Grey}}}|{{{L5T|Text}}}}} | }}{{#if: {{{E5|}}} | {{{E5|}}} | }}{{#if: {{{L6|}}} | {{Infobox song contest/Legend|{{{L6C|Grey}}}|{{{L6T|Text}}}}} | }}{{#if: {{{E6|}}} | {{{E6|}}} | }}{{#if: {{{L7|}}} | {{Infobox song contest/Legend|{{{L7C|Grey}}}|{{{L7T|Text}}}}} | }}{{#if: {{{E7|}}} | {{{E7|}}} | }}{{#if: {{{L8|}}} | {{Infobox song contest/Legend|{{{L8C|Grey}}}|{{{L8T|Text}}}}} | }}{{#if: {{{E8|}}} | {{{E8|}}} | }}{{#if: {{{L9|}}} | {{Infobox song contest/Legend|{{{L9C|Grey}}}|{{{L9T|Text}}}}} | }}{{#if: {{{E9|}}} | {{{E9|}}} | }}{{#if: {{{L10|}}} | {{Infobox song contest/Legend|{{{L10C|Grey}}}|{{{L10T|Text}}}}} | }}{{#if: {{{E10|}}} | {{{E10|}}} | }} }} | }} {{!}}- {{#if: {{{null|<noinclude>-</noinclude>}}}{{{vote|<noinclude>-</noinclude>}}}{{{winner|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Voting {{!}}- }} {{#if: {{{vote|<noinclude>-</noinclude>}}}| ! System {{!}} {{{vote}}} {{!}}- }} {{#if: {{{null|<noinclude>-</noinclude>}}}| ! Null&nbsp;points {{!}} {{{null}}} {{!}}- }} {{#if: {{{winner|<noinclude>-</noinclude>}}}| ! Winner {{!}} {{{winner}}} {{!}}- }} {{#if: {{{pre|<noinclude>-</noinclude>}}}{{{nex|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} [[{{{name|}}}]] {{!}}- }} {{#if: {{{pre|<noinclude>-</noinclude>}}}{{{nex|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[{{{name|}}} {{{pre|}}}|◄ {{{pre|}}}]] [[file:Eurovision Heart.png|15px|link=]] [[{{{name|}}} {{{nex|}}}|{{{nex|}}} ►]] {{!}}- }} {{#if: {{{pre2|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} [[{{{name|}}}]] {{!}}- }} {{#if: {{{pre2|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[{{{name|}}} {{{pre2|}}}|◄ {{{pre2|}}}]] [[file:Eurovision Heart.png|15px|link=]] {{!}}- }} {{#if: {{{nex2|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} [[{{{name|}}}]] {{!}}- }} {{#if: {{{nex2|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[file:Eurovision Heart.png|15px|link=]] [[{{{name|}}} {{{nex2|}}}|{{{nex2|}}} ►]] {{!}}- }} |} <noinclude> {{documentation}} </noinclude> c604875796f1d5e27487442f1bb78b43dd951c22 Template:Documentation 10 31 36 2024-01-22T12:24:09Z Globalvision 2 Created page with "{{#invoke:Documentation|main}}" wikitext text/x-wiki {{#invoke:Documentation|main}} bb08b6773a4c1e1d528cefda2d7c305d8b5193ec 39 36 2024-01-22T12:26:20Z Globalvision 2 wikitext text/x-wiki <!-- Automatically add {{template sandbox notice}} when on a /sandbox page. -->{{#ifeq: {{SUBPAGENAME}} | sandbox | <div style="clear: both;"></div>{{template sandbox notice|{{{livepage|}}}}} }}<!-- Automatically add {{pp-template}} to protected templates. -->{{template other | {{#ifeq: {{PROTECTIONLEVEL:move}} | sysop | {{pp-template|docusage=yes}} | {{#if: {{PROTECTIONLEVEL:edit}} | {{pp-template|docusage=yes}} | <!--Not protected, or only semi-move-protected--> }} }} }}<!-- Start of green doc box. -->{{documentation/start box2 | preload = {{{preload|}}} <!--Allow custom preloads--> | heading = {{{heading|¬}}} <!--Empty but defined means no header--> | heading-style = {{{heading-style|}}} | content = {{{content|}}} <!--Some namespaces must have the /doc, /sandbox and /testcases in talk space--> | docspace = {{documentation/docspace}} | 1 = {{{1|}}} <!--Other docname, if fed--> <!--The namespace is added in /start box2--> | template page = {{documentation/template page}} }}<!-- Start content --><!-- Start load the /doc content: Note: The line breaks between this comment and the next line are necessary so "=== Headings ===" at the start and end of docs are interpreted. --> {{#switch: {{#if:{{{content|}}}|1|0}}{{#if:{{{1|}}}|1|0}}{{#ifexist:{{{1|}}}|1|0}}{{#ifexist:{{documentation/docspace}}:{{documentation/template page}}/doc|1|0}} | 1000 | 1001 | 1010 | 1011 | 1100 | 1101 | 1110 | 1111 = {{{content|}}} | 0110 | 0111 = {{ {{{1}}} }} | 0001 | 0011 = {{ {{documentation/docspace}}:{{documentation/template page}}/doc }} | 0000 | 0100 | 0010 | 0101 = }} <!-- End load the /doc content: Note: The line breaks between this comment and the previous line are necessary so "=== Headings ===" at the start and end of docs are interpreted. -->{{documentation/end box2 | preload = {{{preload|}}} <!--Allow custom preloads--> | content = {{{content|}}} | link box = {{{link box|}}} <!--So "link box=off" works--> <!--Some namespaces must have the /doc, /sandbox and /testcases in talk space--> | docspace = {{documentation/docspace}} | 1 = {{{1|}}} <!--Other docname, if fed--> <!--The namespace is added in /end box2--> | template page = {{documentation/template page}} }}<!-- End of green doc box --><noinclude> <!-- Add categories and interwikis to the /doc subpage, not here! --> </noinclude> c0fd8a2f49acd825ed5e61a04bc8114446d05d31 Template:Nowrap 10 32 37 2024-01-22T12:24:17Z Globalvision 2 Created page with "<span class="nowrap">{{{1}}}</span>" wikitext text/x-wiki <span class="nowrap">{{{1}}}</span> 1fd9223c42f151cf322d6d13eaa979eda150e9b3 Template:Nobold 10 33 38 2024-01-22T12:25:12Z Globalvision 2 Created page with "<span style="font-weight:normal;">{{{1}}}</span><noinclude> {{documentation}} <!-- PLEASE ADD CATEGORIES AND INTERWIKIS TO THE /doc SUBPAGE, THANKS --> </noinclude>" wikitext text/x-wiki <span style="font-weight:normal;">{{{1}}}</span><noinclude> {{documentation}} <!-- PLEASE ADD CATEGORIES AND INTERWIKIS TO THE /doc SUBPAGE, THANKS --> </noinclude> a5bfaf2d8a3e54e084e1c261e8f9929dc7d83553 Template:Template other 10 34 40 2024-01-22T12:27:11Z Globalvision 2 Created page with "{{#switch: <!--If no or empty "demospace" parameter then detect namespace--> {{#if:{{{demospace|}}} | {{lc: {{{demospace}}} }} <!--Use lower case "demospace"--> | {{#ifeq:{{NAMESPACE}}|{{ns:Template}} | template | other }} }} | template = {{{1|}}} | other | #default = {{{2|}}} }}<!--End switch--><noinclude> {{documentation}} <!-- Add categories and interwikis to the /doc subpage, not here! --> </noinclude>" wikitext text/x-wiki {{#switch: <!--If no or empty "demospace" parameter then detect namespace--> {{#if:{{{demospace|}}} | {{lc: {{{demospace}}} }} <!--Use lower case "demospace"--> | {{#ifeq:{{NAMESPACE}}|{{ns:Template}} | template | other }} }} | template = {{{1|}}} | other | #default = {{{2|}}} }}<!--End switch--><noinclude> {{documentation}} <!-- Add categories and interwikis to the /doc subpage, not here! --> </noinclude> 06fb13d264df967b5232141067eb7d2b67372d76 Template:Documentation/end box2 10 35 41 2024-01-22T12:28:13Z Globalvision 2 Created page with "<noinclude><div></noinclude><div style="clear: both;"></div><!--So right or left floating items don't stick out of the doc box.--> </div><!--End of green doc box--><!-- Link box below for the doc meta-data: -->{{documentation/end box | preload = {{{preload|}}} <!--Allow custom preloads--> | content = {{{content|}}} | link box = {{{link box|}}} <!--So "link box=off" works--> | docpage = {{#if: {{{1|}}} | {{{1|}}} | {{{docspace|{{NAMESPACE}}}}}:{{{template pa..." wikitext text/x-wiki <noinclude><div></noinclude><div style="clear: both;"></div><!--So right or left floating items don't stick out of the doc box.--> </div><!--End of green doc box--><!-- Link box below for the doc meta-data: -->{{documentation/end box | preload = {{{preload|}}} <!--Allow custom preloads--> | content = {{{content|}}} | link box = {{{link box|}}} <!--So "link box=off" works--> | docpage = {{#if: {{{1|}}} | {{{1|}}} | {{{docspace|{{NAMESPACE}}}}}:{{{template page|{{PAGENAME}}}}}/doc }} | doc exist = {{#ifexist: {{#if: {{{1|}}} | {{{1|}}} <!--Other docname fed--> | {{{docspace|{{NAMESPACE}}}}}:{{{template page|{{PAGENAME}}}}}/doc }} | yes }} | docname fed = {{#if: {{{1|}}} | yes }} | sandbox = {{{docspace|{{NAMESPACE}}}}}:{{{template page|{{PAGENAME}}}}}/sandbox | testcases = {{{docspace|{{NAMESPACE}}}}}:{{{template page|{{PAGENAME}}}}}/testcases | template page = {{NAMESPACE}}:{{{template page|{{PAGENAME}}}}} }}<noinclude> {{pp-template}} <!-- Add categories and interwikis to the /doc subpage, not here! --> </noinclude> 2be685c0ce0db3113039d7f1f2ef1690c92a1d8c Template:Documentation/start box2 10 36 42 2024-01-22T12:28:24Z Globalvision 2 Created page with "{{documentation/start box | preload = {{{preload|}}} <!--Allow custom preloads--> | heading = {{{heading|¬}}} <!--Empty but defined means no header--> | heading-style = {{{heading-style|}}} | content = {{{content|}}} | docpage = {{#if: {{{1|}}} | {{{1|}}} | {{{docspace|{{NAMESPACE}}}}}:{{{template page|{{PAGENAME}}}}}/doc }} | doc exist = {{#ifexist: {{#if: {{{1|}}} | {{{1|}}} <!--Other docname fed--> | {{{docspace|{{NAMESPACE}}}}}:{{{te..." wikitext text/x-wiki {{documentation/start box | preload = {{{preload|}}} <!--Allow custom preloads--> | heading = {{{heading|¬}}} <!--Empty but defined means no header--> | heading-style = {{{heading-style|}}} | content = {{{content|}}} | docpage = {{#if: {{{1|}}} | {{{1|}}} | {{{docspace|{{NAMESPACE}}}}}:{{{template page|{{PAGENAME}}}}}/doc }} | doc exist = {{#ifexist: {{#if: {{{1|}}} | {{{1|}}} <!--Other docname fed--> | {{{docspace|{{NAMESPACE}}}}}:{{{template page|{{PAGENAME}}}}}/doc }} | yes }} }}<noinclude> {{pp-template}} <!-- Add categories and interwikis to the /doc subpage, not here! --> </noinclude> 7f6e551e93e95214ccd215f6e000406b210a5326 Template:Documentation/end box 10 37 43 2024-01-22T12:29:16Z Globalvision 2 Created page with "<!-- Link box below for the doc meta-data: -->{{#if: <!--Check if we should show the link box--> {{#ifeq: {{{link box|}}} | off | | {{{doc exist|yes}}}{{ #switch: {{SUBJECTSPACE}} | {{ns:User}} | {{ns:Module}} | {{ns:Template}} = yes }} }} | {{fmbox | id = documentation-meta-data | image = none | style = background-color: #ecfcf4; | textstyle = font-style: italic; | text = {{#if: {{{link box|}}} | {{{link box}}} <!--..." wikitext text/x-wiki <!-- Link box below for the doc meta-data: -->{{#if: <!--Check if we should show the link box--> {{#ifeq: {{{link box|}}} | off | | {{{doc exist|yes}}}{{ #switch: {{SUBJECTSPACE}} | {{ns:User}} | {{ns:Module}} | {{ns:Template}} = yes }} }} | {{fmbox | id = documentation-meta-data | image = none | style = background-color: #ecfcf4; | textstyle = font-style: italic; | text = {{#if: {{{link box|}}} | {{{link box}}} <!--Use custom link box content--> | {{#if: {{{doc exist|yes}}} | <!--/doc exists, link to it--> The above [[Wikipedia:Template documentation|documentation]] is [[Wikipedia:Transclusion|transcluded]] from [[{{{docpage|{{FULLPAGENAME}}/doc}}}]]. <small style="font-style: normal">([{{fullurl:{{{docpage|{{FULLPAGENAME}}/doc}}}|action=edit}} edit] &#124; [{{fullurl:{{{docpage|{{FULLPAGENAME}}/doc}}}|action=history}} history])</small> <br /> |<!-- /doc does not exist, ask to create one? -->{{#switch: {{SUBJECTSPACE}} | {{ns:Module}} = You might want to [{{fullurl: {{{docpage| {{FULLPAGENAME}}/doc }}} | action=edit&preload=Template:Documentation/preload-module-doc }} create] a documentation page for this [[Wikipedia:Lua|Scribunto module]]<br> | #default = }} }}<!-- Add links to /sandbox and /testcases when appropriate: -->{{#switch: {{SUBJECTSPACE}} | {{ns:User}} | {{ns:Module}} | {{ns:Template}} = Editors can experiment in this {{#switch: {{SUBJECTSPACE}} | {{ns:module}} = module's | #default = template's}} {{ #ifexist: {{{sandbox| {{FULLPAGENAME}}/sandbox }}} | [[{{{sandbox| {{FULLPAGENAME}}/sandbox }}}|sandbox]] <small style="font-style: normal">([{{fullurl: {{{sandbox| {{FULLPAGENAME}}/sandbox }}} | action=edit }} edit] <nowiki>|</nowiki> [{{fullurl:Special:ComparePages | page1={{urlencode:{{{template page|{{FULLPAGENAME}}}}}}}&page2={{urlencode:{{{sandbox|{{FULLPAGENAME}}/sandbox}}}}}}} diff])</small> | sandbox <small style="font-style: normal">([{{fullurl: {{{sandbox| {{FULLPAGENAME}}/sandbox }}} | action=edit&preload=Template:Documentation/preload-{{#ifeq: {{SUBJECTSPACE}}|{{ns:Module}}|module-}}sandbox }} create] <nowiki>|</nowiki> [{{fullurl: {{{sandbox| {{FULLPAGENAME}}/sandbox }}} | action=edit&preload={{urlencode:{{{template page|{{FULLPAGENAME}}}}}}}&summary={{urlencode:Create sandbox version of [[{{{template page|{{FULLPAGENAME}}}}}]]}} }} mirror])</small> }} and {{ #ifexist: {{{testcases| {{FULLPAGENAME}}/testcases }}} | [[{{{testcases| {{FULLPAGENAME}}/testcases }}}|testcases]] <small style="font-style: normal">([{{fullurl: {{{testcases| {{FULLPAGENAME}}/testcases }}} | action=edit }} edit])</small> | testcases <small style="font-style: normal">([{{fullurl: {{{testcases| {{FULLPAGENAME}}/testcases }}} | action=edit&preload=Template:Documentation/preload-{{#ifeq: {{SUBJECTSPACE}}|{{ns:Module}}|module-}}testcases&summary={{urlencode:Create testcases page for [[{{{template page|{{FULLPAGENAME}}}}}]]}} }} create])</small> }} pages. <br /> }}<!-- Show the cats text, but not if "content" fed or "docname fed" since then it is unclear where to add the cats. -->{{#if: {{{content|}}} {{{docname fed|}}} | | Please add categories to the [[{{{docpage|{{FULLPAGENAME}}/doc}}}|/doc]] subpage. }}<!-- Show the "Subpages" link: -->{{#switch: {{SUBJECTSPACE}} | {{ns:File}} = <!--Don't show it--> | {{ns:Module}} = &#32;[[Special:PrefixIndex/{{{template page|{{FULLPAGENAME}}}}}/|Subpages of this module]]. | {{ns:Template}} = &#32;[[Special:PrefixIndex/{{{template page|{{FULLPAGENAME}}}}}/|Subpages of this template]]. | #default = &#32;[[Special:PrefixIndex/{{{template page|{{FULLPAGENAME}}}}}/|Subpages of this page]]. }} }}{{#ifexist:{{FULLPAGENAME}}/Print |<br />A [[Help:Books/for experts#Improving the book layout|print version]] of this template exists at [[/Print]]. If you make a change to this template, please update the print version as well.[[Category:Templates with print versions]] }} }} }}<!--End link box--><!-- Detect and report strange usage: -->{{#if: <!--Check if {{documentation}} is transcluded on a /doc or /testcases page--> {{#switch: {{SUBPAGENAME}} | doc | testcases = strange }} <!--More checks can be added here, just return anything to make the surrounding if-case trigger--> | <includeonly>[[Category:Wikipedia pages with strange ((documentation)) usage|{{main other|Main:}}{{FULLPAGENAME}}]]<!-- Sort on namespace --></includeonly> }} 68aaa11634b2dfeda0ca070e4ecee9590cf5815c Template:Pp-template 10 38 44 2024-01-22T12:29:40Z Globalvision 2 Created page with "<includeonly>{{pp-meta |type={{#switch:{{{demolevel|{{PROTECTIONLEVEL:edit}}}}} |semi |autoconfirmed=semi |administrator |full |sysop=indef |#default=indef<!--fallback value-->}} |small={{{small|yes}}} |demospace={{{demospace|}}} |demolevel={{{demolevel|undefined}}} |expiry=<!--not applicable--> |dispute=no |icon-text=This {{#ifeq:{{NAMESPACE}}|{{ns:6}}|image, included in a high-risk template or message,|high-risk template}} is indefinitely {{#switch:{{..." wikitext text/x-wiki <includeonly>{{pp-meta |type={{#switch:{{{demolevel|{{PROTECTIONLEVEL:edit}}}}} |semi |autoconfirmed=semi |administrator |full |sysop=indef |#default=indef<!--fallback value-->}} |small={{{small|yes}}} |demospace={{{demospace|}}} |demolevel={{{demolevel|undefined}}} |expiry=<!--not applicable--> |dispute=no |icon-text=This {{#ifeq:{{NAMESPACE}}|{{ns:6}}|image, included in a high-risk template or message,|high-risk template}} is indefinitely {{#switch:{{{demolevel|{{PROTECTIONLEVEL:edit}}}}} |semi |autoconfirmed=semi- |administrator |full |sysop |#default=<!--fallback value-->}}protected from editing to prevent vandalism. |reason-text=This {{#switch:{{NAMESPACE}} |{{ns:image}}=image, used in one or more [[Wikipedia:High-risk templates|high-risk templates]]{{#switch:{{{demolevel|{{PROTECTIONLEVEL:edit}}}}} |semi |autoconfirmed= |administrator |full |sysop=<nowiki> </nowiki>and/or [[Special:Allmessages|system messages]], |#default=<!--fallback value-->}} |#default=[[Wikipedia:High-risk templates|high-risk template]] }} has been [[Wikipedia:This page is protected|{{#switch:{{{demolevel|{{PROTECTIONLEVEL:edit}}}}} |semi |autoconfirmed=semi- |administrator |full |sysop<!--uses default--> |#default=<!--fallback value-->}}protected]] from editing to prevent [[Wikipedia:Vandalism|vandalism]]. {{#switch:{{{demolevel|{{PROTECTIONLEVEL:edit}}}}} |semi |autoconfirmed= |administrator |full |sysop<!--uses default--> |#default={{#switch:{{NAMESPACE}}|{{ns:image}}=<br /><small>'''Do not move this image''' to [[commons:|Wikimedia Commons]].</small>}}}} |categories={{{categories|{{#ifeq:{{NAMESPACE}}|{{ns:10}}|[[Category:Wikipedia {{#switch:{{{demolevel|{{PROTECTIONLEVEL:edit}}}}} |semi |autoconfirmed=semi- |administrator |full |sysop<!--uses default--> |#default=<!--fallback value-->}}protected templates|{{PAGENAME}}]]}}{{#ifeq:{{NAMESPACE}}|{{ns:6}}|[[Category:{{#switch:{{{demolevel|{{PROTECTIONLEVEL:edit}}}}} |semi |autoconfirmed=Semi-protected |administrator |full |sysop<!--uses default--> |#default=Protected<!--fallback value-->}} images|{{PAGENAME}}]]}}}}}}}</includeonly><noinclude> {{pp-template|categories=no}} <!-- Show the small version --> {{pp-template|small=no}} <!-- Show the large version --> {{Documentation}} <!-- Add categories and interwikis to the /doc subpage, not here! --> </noinclude> 60cdb478da8b5f38c6b86627effa31894ed339b2 Template:Documentation/start box 10 39 45 2024-01-22T12:30:17Z Globalvision 2 Created page with "<!-- Start of green doc box --><div id="template-documentation" class="template-documentation iezoomfix"><!-- Add the heading at the top of the doc box: -->{{#ifeq: {{{heading|¬}}} | <!--Defined but empty--> | <!--"heading=", do nothing--> | <div style="padding-bottom: 3px; border-bottom: 1px solid #aaa; margin-bottom: 1ex;"><span style="{{#if: {{{heading-style|}}} | {{{heading-style|}}} | {{#ifeq: {{SUBJECTSPACE}} | {{ns:Template}} | font-weight: bold; font..." wikitext text/x-wiki <!-- Start of green doc box --><div id="template-documentation" class="template-documentation iezoomfix"><!-- Add the heading at the top of the doc box: -->{{#ifeq: {{{heading|¬}}} | <!--Defined but empty--> | <!--"heading=", do nothing--> | <div style="padding-bottom: 3px; border-bottom: 1px solid #aaa; margin-bottom: 1ex;"><span style="{{#if: {{{heading-style|}}} | {{{heading-style|}}} | {{#ifeq: {{SUBJECTSPACE}} | {{ns:Template}} | font-weight: bold; font-size: 125% | font-size: 150% }} }}">{{#switch: {{{heading|¬}}} | ¬ = <!--"heading" not defined in this or previous level--> {{#switch: {{SUBJECTSPACE}} | {{ns:Template}} = [[File:Template-info.png|50px|link=|alt=Documentation icon]] {{{Documentation alt text|Template documentation}}} | {{ns:Module}} = [[File:Template-info.png|50px|link=|alt=Documentation icon]] Module documentation | {{ns:File}} = Summary | #default = Documentation }} | #default = <!--"heading" has data or is empty but defined--> {{{heading|}}} }}</span>{{ #if: {{{content|}}} | | <!--Add the [view][edit][history][purge] or [create] links--> <span class="mw-editsection plainlinks" id="doc_editlinks">{{ #if: {{{doc exist|yes}}} | &#91;[[{{{docpage|{{FULLPAGENAME}}/doc}}}|view]]&#93; [[{{fullurl:{{{docpage|{{FULLPAGENAME}}/doc}}}|action=edit}} edit]] [[{{fullurl:{{{docpage|{{FULLPAGENAME}}/doc}}}|action=history}} history]] [{{purge|purge}}] | <!--/doc doesn't exist--> [[{{fullurl:{{{docpage|{{FULLPAGENAME}}/doc}}}| action=edit&preload={{ #if: {{{preload|}}} | {{urlencode:{{{preload}}}}} | {{#ifeq: {{SUBJECTSPACE}} | {{ns:File}} | Template:Documentation/preload-filespace | Template:Documentation/preload }} }} }} create]] }}</span> }}</div> }}<noinclude><!-- close the div --></div> {{pp-template}} <!-- Add categories and interwikis to the /doc subpage, not here! --> </noinclude> e28b44e50c96eb23bfb43e1131144df85db3e637 Template:Collapsible list 10 40 47 2024-01-22T12:38:18Z Globalvision 2 Created page with "{{Documentation subpage}} {{Template shortcuts|clist}} {{lua|Module:Collapsible list}} This template produces a collapsible list. It is possible to set [[CSS]] styles for the "frame" (the {{tag|div}} tags surrounding the list), for the list title, and for the list items. The template supports an unlimited number of list items. This template is typically used in [[WP:Infobox|infoboxes]] and [[WP:NAVBOX|navboxes]]; it should not normally be used in regular article conten..." wikitext text/x-wiki {{Documentation subpage}} {{Template shortcuts|clist}} {{lua|Module:Collapsible list}} This template produces a collapsible list. It is possible to set [[CSS]] styles for the "frame" (the {{tag|div}} tags surrounding the list), for the list title, and for the list items. The template supports an unlimited number of list items. This template is typically used in [[WP:Infobox|infoboxes]] and [[WP:NAVBOX|navboxes]]; it should not normally be used in regular article content, per [[MOS:DONTHIDE]]. {{Collapse Templates}} == Syntax == <pre style="font-size:95%;overflow:auto;"> {{Collapsible list | expand = | framestyle = | titlestyle = | title = | liststyle = | hlist = | bullets = | <!-- 1 = --> <!--(First item in list; the "1 =" is usually not required)--> | <!-- 2 = --> <!--(Second item in list; ditto)--> | <!-- 3 = --> <!--(Third item in list; etc.)--> | <!-- etc --> }} </pre> == Parameters == {{Aligned table |style=line-height:1.35em; |col1style=padding-right:1.5em; |col2style=vertical-align:middle; | ''expand'' | Any text in this parameter (including "no") sets the list's default state to expanded rather than collapsed. Omit the parameter or leave it blank to set the default state to collapsed. | ''framestyle'' | Custom CSS styling applied the template overall (title and list). | ''titlestyle'' | Custom CSS styling applied to the title. | ''title'' | The list's title (always on view beside the list's [show/hide] link). | ''liststyle'' | Custom CSS styling applied to the list (specifically, to the {{tag|ul}} tags delimiting the list). | ''hlist'' | Include as {{para|hlist|on}}, {{para|hlist|true}}, etc to produce a horizontal rather than vertical list. | ''bullets'' | Include as {{para|bullets|on}}, {{para|bullets|true}}, etc to place a [[Bullet (typography)|bullet point]] before each list item. | Unnamed parameters<br>(first, second, third...) | The list items (in the order in which they will appear). If none are supplied, the template outputs nothing. }} == Examples == <pre style="font-size:95%;overflow:auto;"> {{Collapsible list | title = [[European Free Trade Association]] members | [[Iceland]] | [[Liechtenstein]] | [[Norway]] | [[Switzerland]] }} </pre> {{collapsible list |title=[[European Free Trade Association]] members |[[Iceland]] |[[Liechtenstein]] |[[Norway]] |[[Switzerland]]}} === Example of a list without borders because it is within an infobox === In these examples, the fields leader_name2 and leader_name3 have been changed to use collapsible list. {{Infobox settlement |official_name = City of Hamilton |motto = Together Aspire – Together Achieve |image_skyline = HamiltonOntarioSkylineC.JPG |imagesize = 250px |image_caption = |image_map = Map of Ontario HAMILTON.svg |mapsize = 200px |map_caption = Location in the province of Ontario, Canada |subdivision_type = Country |subdivision_name = Canada |subdivision_type1 = [[Provinces and territories of Canada|Province]] |subdivision_name1 = [[Ontario]] |leader_title = [[Mayor]] |leader_name = [[Fred Eisenberger]] |leader_title1 = [[City Council]] |leader_name1 = [[Hamilton, Ontario, City Council]] |leader_title2 = [[Member of Parliament#Canada|MPs]] |leader_name2 = {{Collapsible list |framestyle=border:none; padding:0; <!--Hides borders and improves row spacing--> |title=List of MPs |1=[[Dean Allison]] |2=[[Chris Charlton]] |3=[[David Christopherson]] |4=[[Wayne Marston]] |5=[[David Sweet]] }} |leader_title3 = [[Member of Provincial Parliament (Ontario)|MPPs]] |leader_name3 = {{Collapsible list |framestyle=border:none; padding:0; <!--as above--> |title=List of MPPs |1=[[Marie Bountrogianni]] |2=[[Andrea Horwath]] |3=[[Judy Marsales]] |4=[[Ted McMeekin]] |5=[[Jennifer Mossop]] }} |established_title = [[Municipal corporation|Incorporated]] |established_date = June 9, 1846 }} <pre style="font-size:95%; overflow:auto;"> {{Infobox settlement |official_name = City of Hamilton ...truncated... |leader_title = [[Mayor]] |leader_name = [[Fred Eisenberger]] |leader_title1 = [[City Council]] |leader_name1 = [[Hamilton City Council]] |leader_title2 = [[Member of Parliament (Canada)|MPs]] |leader_name2 = {{Collapsible list |framestyle=border:none; padding:0; <!--Hides borders and improves row spacing--> |title=List of MPs |1=[[Dean Allison]] |2=[[Chris Charlton]] |3=[[David Christopherson]] |4=[[Wayne Marston]] |5=[[David Sweet]] }} |leader_title3 = [[Member of Provincial Parliament (Ontario)|MPPs]] |leader_name3 = {{Collapsible list |framestyle=border:none; padding:0; <!--as above--> |title=List of MPPs |1=[[Marie Bountrogianni]] |2=[[Andrea Horwath]] |3=[[Judy Marsales]] |4=[[Ted McMeekin]] |5=[[Jennifer Mossop]] }} |established_title = [[Municipal corporation|Incorporated]] |established_date = June 9, 1846 (...etc...) }} </pre> == TemplateData == {{TemplateDataHeader}} <templatedata> { "params": { "1": { "label": "First list item", "description": "A single list item", "type": "content", "suggested": true }, "2": { "label": "Second list item", "description": "A single list item", "type": "content", "suggested": true }, "3": { "label": "Third list item", "description": "A single list item", "type": "content", "suggested": true }, "4": { "label": "Fourth list item", "description": "A single list item", "type": "content" }, "5": { "type": "content" }, "6": { "type": "content" }, "7": { "type": "content" }, "8": { "type": "content" }, "9": { "type": "content" }, "10": { "type": "content" }, "expand": { "label": "Expand list", "description": "Expand the list instead of collapsing it", "example": "true", "type": "string", "autovalue": "true" }, "framestyle": { "aliases": [ "frame_style" ], "label": "Frame style", "description": "Custom CSS styling applied the template overall (title and list).", "example": "border: 1px;", "type": "string", }, "titlestyle": { "aliases": [ "title_style" ], "label": "Title style", "description": "CSS styling applied to the title", "example": "color:brown;", "type": "string" }, "title": { "label": "Title", "description": "The list's title (Always in view beside the list's [show/hide] link).", "type": "string", "suggested": true }, "liststyle": { "aliases": [ "list_style" ], "label": "List style", "description": "CSS styling applied solely to the list itself", "example": "list-style-type: square;", "type": "string" }, "hlist": { "label": "Horizontal list", "description": "Use value 'on' or 'true' to produce a horizontal rather than vertical list", "example": "true", "type": "string", "autovalue": "true" }, "bullets": { "label": "Bullets", "description": "Set as 'on' or 'true' to place a bullet point before each list item", "example": "true", "type": "string", "autovalue": "true" } }, "description": "Produces an HTML list that can be collapsed", "paramOrder": [ "title", "hlist", "bullets", "expand", "1", "framestyle", "titlestyle", "liststyle", "2", "3", "4", "5", "6", "7", "8", "9", "10" ], "format": "block" } </templatedata> <includeonly>{{#ifeq:{{SUBPAGENAME}}|sandbox|| [[Category:Collapse templates]] [[Category:List formatting and function templates]] }}</includeonly> 33646d6ef9fd2c8595cdaab1e7a86e4804ca6649 48 47 2024-01-22T12:39:40Z Globalvision 2 wikitext text/x-wiki <div class="NavFrame {{#if:{{{expand|}}}||collapsed}}" style="{{#if:{{{frame_style|}}}{{{framestyle|}}} |{{{frame_style|}}}{{{framestyle|}}} |border:none;padding:0;}}"> <div class="NavHead" style="font-size:105%; {{#if:{{{title_style|}}}{{{titlestyle|}}} |{{{title_style|}}}{{{titlestyle|}}} |background:transparent;" align="left}}"><!-- -->{{#if:{{{title|}}} |{{{title|}}} |List}}<!-- --></div> <ul class="NavContent {{#if:{{{hlist|}}}|hlist}}" style="{{#if:{{{bullets|}}}||list-style: none none; margin-left: 0;}} {{#if:{{{list_style|}}}{{{liststyle|}}} |{{{list_style|}}}{{{liststyle|}}} |text-align:left;}} font-size:105%; margin-top: 0; margin-bottom: 0; line-height: inherit"><!-- -->{{#if:{{{1|}}} |<li style="line-height: inherit; margin: 0">{{{1|}}} </li>}}<!-- -->{{#if:{{{2|}}} |<li style="line-height: inherit; margin: 0">{{{2|}}} </li>}}<!-- -->{{#if:{{{3|}}} |<li style="line-height: inherit; margin: 0">{{{3|}}} </li>}}<!-- -->{{#if:{{{4|}}} |<li style="line-height: inherit; margin: 0">{{{4|}}} </li>}}<!-- -->{{#if:{{{5|}}} |<li style="line-height: inherit; margin: 0">{{{5|}}} </li>}}<!-- -->{{#if:{{{6|}}} |<li style="line-height: inherit; margin: 0">{{{6|}}} </li>}}<!-- -->{{#if:{{{7|}}} |<li style="line-height: inherit; margin: 0">{{{7|}}} </li>}}<!-- -->{{#if:{{{8|}}} |<li style="line-height: inherit; margin: 0">{{{8|}}} </li>}}<!-- -->{{#if:{{{9|}}} |<li style="line-height: inherit; margin: 0">{{{9|}}} </li>}}<!-- -->{{#if:{{{10|}}} |<li style="line-height: inherit; margin: 0">{{{10|}}}</li>}}<!-- -->{{#if:{{{11|}}} |<li style="line-height: inherit; margin: 0">{{{11|}}}</li>}}<!-- -->{{#if:{{{12|}}} |<li style="line-height: inherit; margin: 0">{{{12|}}}</li>}}<!-- -->{{#if:{{{13|}}} |<li style="line-height: inherit; margin: 0">{{{13|}}}</li>}}<!-- -->{{#if:{{{14|}}} |<li style="line-height: inherit; margin: 0">{{{14|}}}</li>}}<!-- -->{{#if:{{{15|}}} |<li style="line-height: inherit; margin: 0">{{{15|}}}</li>}}<!-- -->{{#if:{{{16|}}} |<li style="line-height: inherit; margin: 0">{{{16|}}}</li>}}<!-- -->{{#if:{{{17|}}} |<li style="line-height: inherit; margin: 0">{{{17|}}}</li>}}<!-- -->{{#if:{{{18|}}} |<li style="line-height: inherit; margin: 0">{{{18|}}}</li>}}<!-- -->{{#if:{{{19|}}} |<li style="line-height: inherit; margin: 0">{{{19|}}}</li>}}<!-- -->{{#if:{{{20|}}} |<li style="line-height: inherit; margin: 0">{{{20|}}}</li>}}<!-- -->{{#if:{{{21|}}} |<li style="line-height: inherit; margin: 0">{{{21|}}}</li>}}<!-- -->{{#if:{{{22|}}} |<li style="line-height: inherit; margin: 0">{{{22|}}}</li>}}<!-- -->{{#if:{{{23|}}} |<li style="line-height: inherit; margin: 0">{{{23|}}}</li>}}<!-- -->{{#if:{{{24|}}} |<li style="line-height: inherit; margin: 0">{{{24|}}}</li>}}<!-- -->{{#if:{{{25|}}} |<li style="line-height: inherit; margin: 0">{{{25|}}}</li>}}<!-- -->{{#if:{{{26|}}} |<li style="line-height: inherit; margin: 0">{{{26|}}}</li>}}<!-- -->{{#if:{{{27|}}} |<li style="line-height: inherit; margin: 0">{{{27|}}}</li>}}<!-- -->{{#if:{{{28|}}} |<li style="line-height: inherit; margin: 0">{{{28|}}}</li>}}<!-- -->{{#if:{{{29|}}} |<li style="line-height: inherit; margin: 0">{{{29|}}}</li>}}<!-- -->{{#if:{{{30|}}} |<li style="line-height: inherit; margin: 0">{{{30|}}}</li>}}<!-- -->{{#if:{{{31|}}} |<li style="line-height: inherit; margin: 0">{{{31|}}}</li>}}<!-- -->{{#if:{{{32|}}} |<li style="line-height: inherit; margin: 0">{{{32|}}}</li>}}<!-- -->{{#if:{{{33|}}} |<li style="line-height: inherit; margin: 0">{{{33|}}}</li>}}<!-- -->{{#if:{{{34|}}} |<li style="line-height: inherit; margin: 0">{{{34|}}}</li>}}<!-- -->{{#if:{{{35|}}} |<li style="line-height: inherit; margin: 0">{{{35|}}}</li>}}<!-- -->{{#if:{{{36|}}} |<li style="line-height: inherit; margin: 0">{{{36|}}}</li>}}<!-- -->{{#if:{{{37|}}} |<li style="line-height: inherit; margin: 0">{{{37|}}}</li>}}<!-- -->{{#if:{{{38|}}} |<li style="line-height: inherit; margin: 0">{{{38|}}}</li>}}<!-- -->{{#if:{{{39|}}} |<li style="line-height: inherit; margin: 0">{{{39|}}}</li>}}<!-- -->{{#if:{{{40|}}} |<li style="line-height: inherit; margin: 0">{{{40|}}}</li>}}<!-- -->{{#if:{{{41|}}} |<li style="line-height: inherit; margin: 0">{{{41|}}}</li>}}<!-- -->{{#if:{{{42|}}} |<li style="line-height: inherit; margin: 0">{{{42|}}}</li>}}<!-- -->{{#if:{{{43|}}} |<li style="line-height: inherit; margin: 0">{{{43|}}}</li>}}<!-- -->{{#if:{{{44|}}} |<li style="line-height: inherit; margin: 0">{{{44|}}}</li>}}<!-- -->{{#if:{{{45|}}} |<li style="line-height: inherit; margin: 0">{{{45|}}}</li>}}<!-- -->{{#if:{{{46|}}} |<li style="line-height: inherit; margin: 0">{{{46|}}}</li>}}<!-- -->{{#if:{{{47|}}} |<li style="line-height: inherit; margin: 0">{{{47|}}}</li>}}<!-- -->{{#if:{{{48|}}} |<li style="line-height: inherit; margin: 0">{{{48|}}}</li>}}<!-- -->{{#if:{{{49|}}} |<li style="line-height: inherit; margin: 0">{{{49|}}}</li>}}<!-- -->{{#if:{{{50|}}} |<li style="line-height: inherit; margin: 0">{{{50|}}}</li>}}<!-- --></ul> </div> 6ec27a0afa45ec69c621dc785df551d4a66c8faa Template:Infobox song contest/Legend 10 41 49 2024-01-22T12:40:56Z Globalvision 2 Created page with "<span style="margin:0px; padding-bottom:1px; font-size:100%; display:block;"><span style="border:{{{border|{{{outline|{{{1|transparent}}}}}} solid 1px;}}}; background-color:{{{1|none}}}; {{#if:{{{text|}}}|{{#if:{{{textcolor|}}}|color:{{{textcolor}}}|}}|color:{{{1|none}}}}}">&nbsp;&nbsp;{{{text|}}}&nbsp;&nbsp;</span>&nbsp;{{{2|}}}</span>" wikitext text/x-wiki <span style="margin:0px; padding-bottom:1px; font-size:100%; display:block;"><span style="border:{{{border|{{{outline|{{{1|transparent}}}}}} solid 1px;}}}; background-color:{{{1|none}}}; {{#if:{{{text|}}}|{{#if:{{{textcolor|}}}|color:{{{textcolor}}}|}}|color:{{{1|none}}}}}">&nbsp;&nbsp;{{{text|}}}&nbsp;&nbsp;</span>&nbsp;{{{2|}}}</span> 9bc7e5621a59e13b544d2bf23aa751a4a3016d85 Template:Infobox edition/1 10 42 50 2024-01-22T12:41:12Z Globalvision 2 Created page with "<imagemap> File:TS 1 Map.svg|{{{size|299px}}}|frameless}} poly 119 467 123 451 117 448 128 427 133 410 140 414 149 415 154 420 147 426 144 440 139 441 140 447 136 454 137 459 132 465 132 468 128 471 [[Portugal]] poly 677 0 677 137 522 137 522 0 [[Australia in The Song 1]] poly 69 539 0 539 0 503 69 502 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 23..." wikitext text/x-wiki <imagemap> File:TS 1 Map.svg|{{{size|299px}}}|frameless}} poly 119 467 123 451 117 448 128 427 133 410 140 414 149 415 154 420 147 426 144 440 139 441 140 447 136 454 137 459 132 465 132 468 128 471 [[Portugal]] poly 677 0 677 137 522 137 522 0 [[Australia in The Song 1]] poly 69 539 0 539 0 503 69 502 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 69 502 69 538 [[Spain]] poly 200 407 206 379 208 372 203 367 199 355 187 348 184 339 196 339 198 343 209 345 209 332 218 337 225 334 235 330 237 321 244 319 252 328 256 331 266 338 275 341 288 346 284 356 281 365 269 377 274 379 277 386 275 393 276 404 270 404 270 416 296 423 298 427 296 436 294 438 291 433 291 427 296 424 270 415 262 415 256 411 248 410 240 415 240 424 233 424 234 414 221 414 221 416 216 417 203 412 [[France]] poly 225 234 219 246 213 252 221 255 225 273 229 280 233 288 229 294 238 294 241 296 241 304 230 311 236 314 225 320 209 318 199 316 197 320 193 318 182 321 192 311 197 310 203 310 208 305 202 308 189 301 199 295 196 284 207 285 212 277 208 267 200 265 188 272 176 266 181 258 189 258 192 268 199 265 199 260 200 251 197 241 201 232 193 223 196 220 206 221 216 220 229 201 226 217 218 223 211 231 [[United Kingdom in The Song 1]] poly 148 137 144 133 140 127 132 124 138 123 140 115 132 109 142 109 143 106 136 103 145 94 149 99 152 106 160 108 171 112 175 108 181 118 184 128 176 135 156 137 151 140 [[Iceland]] poly 244 323 245 319 252 316 261 316 269 318 267 322 270 325 272 330 266 333 266 338 261 338 261 331 257 334 258 329 252 324 247 323 [[Belgium in The Song 1]] poly 266 318 261 315 253 315 260 307 263 299 267 294 278 291 281 295 281 300 278 302 278 305 277 311 270 311 272 316 272 320 272 325 268 325 268 320 262 315 [[Netherlands]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Switzerland in The Song 1]] poly 282 363 282 358 285 350 288 346 277 343 276 339 275 336 272 331 274 328 271 322 272 315 272 310 275 310 279 306 279 299 282 294 280 289 289 289 295 289 293 275 302 275 302 281 310 281 307 286 310 286 317 283 321 280 328 280 328 283 330 290 332 289 332 294 332 299 336 302 338 313 340 321 334 321 326 324 318 329 320 337 322 341 331 348 332 350 326 356 326 362 314 362 310 365 305 362 [[Germany in The Song 1]] poly 293 275 291 268 290 266 292 264 289 257 291 248 296 248 300 242 304 242 303 253 306 257 317 261 318 266 318 272 311 277 [[Denmark in The Song 1]] poly 278 231 274 227 274 219 271 201 273 189 283 180 297 172 304 162 314 150 316 132 325 118 320 113 324 105 336 94 348 84 362 71 372 69 321 11 311 0 322 0 322 11 371 69 381 71 385 72 383 77 385 82 385 86 374 81 371 85 371 94 370 101 363 101 357 101 351 95 349 100 347 106 340 107 339 112 335 113 333 120 331 128 328 135 325 135 325 142 321 155 325 158 322 164 315 164 313 167 313 179 315 183 313 193 318 194 315 201 318 206 315 213 312 218 313 225 308 222 306 214 303 216 303 221 302 226 296 229 291 234 285 235 282 235 [[Norway]] poly 317 250 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Sweden]] poly 369 198 368 189 365 175 367 170 370 165 376 146 380 142 378 136 372 134 368 128 368 122 363 110 360 107 347 102 347 99 350 96 357 100 364 101 370 98 370 90 370 86 375 80 384 85 382 98 384 101 389 103 392 106 391 113 400 125 401 138 405 142 410 146 408 152 413 155 420 157 419 166 415 177 408 191 400 193 392 199 384 204 373 198 [[Finland in The Song 1]] poly 377 255 375 250 375 242 379 236 382 233 387 236 389 240 394 240 396 238 394 230 397 226 401 225 408 230 415 230 416 230 416 234 419 237 422 244 419 250 415 252 406 248 404 248 402 245 402 248 387 248 384 249 [[Latvia in The Song 1]] poly 331 376 321 374 321 371 313 371 307 375 304 375 305 363 314 363 322 362 328 364 324 358 330 352 333 350 338 350 342 346 351 347 356 349 358 352 362 356 355 362 355 370 350 374 336 377 327 374 [[Austria]] poly 355 374 356 367 356 362 360 361 360 355 364 359 369 357 373 353 383 351 385 346 397 346 401 346 405 351 401 356 398 368 395 372 391 375 385 377 376 382 370 382 364 379 [[Hungary in The Song 1]] poly 378 421 378 416 382 408 385 407 389 408 394 414 394 419 390 419 386 422 386 426 [[Montenegro in The Song 1]] poly 386 408 384 405 384 400 381 397 382 392 377 381 382 375 388 375 394 378 396 382 401 386 400 390 405 392 406 389 412 390 410 394 413 398 413 401 417 408 417 410 413 412 414 419 404 422 398 427 397 422 393 417 394 413 390 408 [[Serbia]] poly 416 399 412 395 411 390 407 390 401 390 399 385 396 384 395 381 389 376 395 374 399 360 402 356 408 348 415 348 422 346 423 350 426 346 431 345 436 339 445 345 449 352 455 359 453 367 456 373 463 371 470 368 471 375 466 375 464 381 463 391 455 388 448 389 442 392 438 397 [[Romania in The Song 1]] poly 438 340 440 336 444 335 453 337 458 337 459 345 462 347 467 348 470 355 460 356 463 360 458 371 455 367 453 357 452 353 444 345 [[Moldova]] poly 407 349 400 347 401 339 405 339 403 332 403 327 408 320 410 318 410 314 406 309 406 303 413 296 428 296 431 299 443 296 455 296 457 296 454 289 455 286 464 284 466 280 473 276 476 277 482 281 480 283 483 288 487 286 491 287 494 293 502 293 508 289 514 292 523 291 534 290 534 296 533 300 537 304 538 311 533 311 530 317 528 323 523 328 516 334 511 339 508 347 514 354 523 349 523 355 517 355 510 361 507 367 503 364 503 362 492 360 499 352 497 349 491 352 485 350 478 349 474 352 473 360 468 368 457 370 458 364 460 360 460 356 469 356 466 352 461 347 457 339 450 338 444 335 436 340 431 345 423 348 [[Ukraine in The Song 1]] poly 393 272 385 275 371 275 370 207 386 207 408 199 409 190 414 177 418 165 419 156 410 151 409 146 405 138 402 133 399 125 392 115 391 105 391 101 384 100 384 94 385 87 387 82 393 78 398 81 413 81 428 84 436 86 443 91 445 95 445 101 435 109 422 109 414 111 414 113 419 115 422 121 425 129 427 133 432 134 435 134 438 136 445 136 449 132 442 130 437 126 437 123 454 123 457 123 447 113 454 95 465 98 460 85 455 84 452 76 449 71 453 68 461 71 457 77 461 80 468 84 473 80 469 72 473 61 463 56 459 53 459 51 464 48 468 52 465 55 473 63 476 52 478 45 485 49 490 47 487 43 491 40 495 29 500 33 503 29 501 22 490 19 477 17 469 22 464 20 452 22 449 19 450 12 445 3 445 1 454 1 457 7 464 15 475 15 490 15 500 10 518 5 529 4 527 0 679 1 679 97 677 101 665 94 665 100 658 101 657 111 652 122 645 138 632 155 635 160 645 159 645 162 638 168 647 173 644 180 658 179 662 184 654 192 647 197 642 197 631 203 630 213 628 218 611 217 597 220 590 227 585 239 585 245 591 254 585 256 579 251 579 261 581 270 582 279 590 282 592 285 598 280 610 286 606 292 613 292 610 302 604 302 608 309 606 321 614 321 620 332 635 342 633 354 623 349 614 349 611 346 603 349 596 354 590 352 582 352 576 356 565 356 561 357 549 353 540 351 535 351 528 349 534 345 538 335 533 330 539 320 537 319 531 323 530 319 536 311 543 311 536 301 533 291 529 289 519 289 519 292 512 288 507 293 495 292 490 286 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[Russia in The Song 1]] poly 530 487 524 482 533 473 544 469 543 480 [[Cyprus in The Song 1]] poly 569 535 559 523 556 517 557 512 559 496 564 493 568 506 [[Israel in The Song 1]] rect 221 414 234 427 [[Andorra]] poly 340 321 339 316 338 313 335 305 335 300 331 300 333 293 333 287 338 283 343 282 350 276 357 272 359 272 364 277 368 278 371 275 379 275 387 275 392 273 399 274 403 286 404 291 400 296 403 299 407 309 411 317 406 324 403 331 406 337 395 334 385 336 380 338 377 335 372 336 371 332 366 332 363 328 355 330 352 327 349 324 [[Poland in The Song 1]] poly 179 292 174 292 164 295 156 295 156 292 151 292 151 289 155 286 160 282 164 275 158 271 163 262 170 265 171 260 175 254 178 255 179 261 175 265 176 268 180 268 181 268 186 273 184 281 184 288 [[Ireland in The Song 1]] poly 332 384 331 376 337 376 347 375 353 371 356 374 350 378 350 382 346 385 347 389 342 387 339 388 335 388 [[Slovenia in The Song 1]] poly 379 419 371 415 361 408 356 402 353 397 353 392 356 390 366 390 376 390 382 391 382 397 386 401 383 406 381 408 378 416 [[Bosnia and Herzegovina]] poly 399 454 403 443 404 436 411 436 411 433 418 432 422 427 431 424 440 426 442 426 450 422 448 416 455 420 452 426 453 430 448 430 439 430 437 432 430 434 430 441 420 440 420 445 424 449 431 455 439 461 443 465 437 466 437 472 438 496 446 497 453 497 465 497 452 501 439 499 439 496 438 470 434 468 428 471 432 477 426 477 431 486 424 485 416 483 417 477 403 469 408 467 [[Greece in The Song 1]] poly 582 375 591 371 596 371 604 374 604 381 605 383 615 383 615 389 618 398 623 405 628 410 625 414 612 416 602 423 593 429 587 437 581 441 574 439 568 447 558 448 561 453 557 459 555 456 557 449 554 448 549 454 540 455 536 464 524 470 515 465 505 464 503 467 503 474 496 476 489 474 473 470 468 463 458 458 461 451 461 444 455 444 455 438 464 433 476 433 477 426 483 421 477 421 464 423 461 430 453 431 454 423 452 418 454 413 460 410 467 414 479 416 497 414 504 402 517 396 530 395 542 395 556 394 563 391 570 387 577 383 [[Turkey in The Song 1]] rect 270 404 283 416 [[Monaco in The Song 1]] poly 269 341 267 334 271 332 275 336 274 342 [[Luxembourg in The Song 1]] rect 338 498 350 509 [[Malta]] poly 289 469 287 465 288 456 288 451 286 447 292 443 295 442 297 443 312 426 310 422 308 420 303 407 296 403 292 401 284 407 283 408 283 404 276 404 276 402 276 398 272 395 275 395 278 390 276 385 282 384 289 378 294 385 294 379 300 380 305 373 308 374 315 371 318 371 322 375 331 376 331 382 330 384 324 389 320 389 320 393 323 397 321 399 322 402 317 402 318 414 329 414 329 409 333 412 336 419 339 426 344 432 354 432 358 432 356 435 368 440 375 444 381 448 380 453 374 449 369 447 367 449 362 456 368 461 368 466 364 472 358 477 355 478 353 486 353 491 351 491 351 494 346 494 343 488 332 484 327 483 327 480 333 478 343 479 353 476 358 473 361 468 358 458 355 456 351 449 340 446 338 439 331 437 332 426 319 426 319 429 312 426 298 442 298 446 301 448 299 454 299 467 293 465 [[Italy in The Song 1]] poly 392 273 391 266 383 264 381 265 377 255 383 249 394 249 401 245 406 248 411 249 415 252 417 256 411 264 413 268 409 272 403 275 400 277 396 272 [[Lithuania]] poly 96 539 97 533 104 524 106 520 116 514 128 512 134 505 144 489 152 499 161 502 170 503 180 506 183 511 181 531 183 536 186 539 96 539 [[Morocco]] poly 421 430 421 424 414 420 413 415 418 410 418 405 413 404 410 397 413 395 413 399 430 399 439 397 447 387 457 388 462 391 464 391 464 394 461 396 461 401 459 407 463 412 456 413 449 416 449 417 449 424 440 425 433 424 421 431 [[Bulgaria]] poly 369 415 362 411 356 411 349 406 349 404 351 403 346 399 344 393 340 390 337 396 333 392 333 390 342 388 350 384 350 380 353 376 360 377 366 381 369 382 376 380 379 384 381 391 369 391 359 390 359 392 354 392 353 394 355 402 366 410 370 414 [[Croatia]] poly 583 375 583 370 576 361 568 361 562 359 569 355 576 355 584 353 591 350 595 355 598 351 611 348 614 351 619 351 619 355 627 358 621 359 611 360 611 363 599 373 595 370 587 374 [[Georgia]] poly 397 453 392 449 387 446 389 434 388 427 385 424 387 419 394 419 399 423 399 431 400 437 405 438 401 447 399 454 [[Albania]] poly 404 438 399 436 399 428 399 423 408 418 415 418 420 422 420 428 420 432 413 432 409 438 [[North Macedonia in The Song 1]] poly 558 496 558 486 559 474 564 472 570 476 569 483 566 490 565 495 [[Lebanon]] poly 677 0 677 137 522 137 522 0 [[Australia in The Song 1]] poly 330 346 325 344 320 338 320 335 319 329 325 326 335 321 343 323 352 324 354 331 358 327 366 330 369 331 373 336 370 338 365 345 360 347 357 349 349 345 343 346 341 349 337 350 333 348 [[Czech Republic]] desc bottom-right </imagemap> 9fe3fcf5ff55335af5d29a943d0b9431bd6ea280 Eurovoice 2024 0 29 51 46 2024-01-22T13:18:15Z Globalvision 2 wikitext text/x-wiki {{Infobox edition|name = Eurovoice|year =2024 |theme = |size =299px |dates = |host =[[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2 <!-- Map Legend Colours --> |Green =Y |Red =|Red2 = |уear = 2024|final =16 May 2024 |venue =[[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Milan|Milan]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =Fabiana Rey<br>ANYA TALYA |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|200x200px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in [[Malmö]], Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! scope="col" | City ! scope="col" | Venue ! scope="col" | Notes ! scope="col" | {{Abbr|Ref(s).|Reference(s)}} |- ! scope="row" | [[Eskilstuna]] | [[Stiga Sports Arena]] | Hosted the Second Chance round of [[Melodifestivalen]] in [[Melodifestivalen 2020|2020]]. Did not meet the EBU requirements of capacity. | <ref>{{cite newspaper |date=17 May 2023 |title=När Stockholm sviker – Eskilstuna välkomnar Eurovision |language=sv |trans-title=If Stockholm fails, Eskilstuna welcomes Eurovision |work=[[Eskilstuna-Kuriren]] |url=https://ekuriren.se/bli-prenumerant/artikel/r4047voj/ek-2m2kr_s_22 |url-access=subscription |access-date=18 May 2023}}</ref> |-style="background:#F2E0CE" ! scope="row" style="background:#F2E0CE" | [[Gothenburg]]{{nbs}}^ | [[Scandinavium]] | Hosted the [[Eurovision Song Contest 1985]]. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed. | <ref name="Gothenburg"/><ref name="Shortlist"/><ref>{{cite AV media |date=2023-05-15 |last=Andersson |first=Hasse |title=Toppolitikern öppnar famnen för Eurovision 2024 – men inte plånboken |trans-title=Top politician opens his arms for Eurovision 2024 – but not his wallet |url=https://sverigesradio.se/artikel/toppolitikern-oppnar-famnen-for-eurovision-2024-men-inte-planboken |access-date=2023-05-16 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite AV media |date=2023-05-15 |last=Hansson |first=Lovisa |title=Got Event satsar för att anordna Eurovision: "Vill välkomna Europa" |trans-title=Got Event invests in organizing Eurovision: "Want to welcome Europe" |url=https://sverigesradio.se/artikel/got-event-satsar-for-att-anordna-eurovision-vill-valkomna-europa |access-date=2023-05-16 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite newspaper |date=16 May 2023 |last=Karlsson |first=Samuel |title=Här vill politikerna bygga nya Scandinavium |trans-title=Here is where politicians want to build the new Scandinavium |url=https://www.byggvarlden.se/har-uppfors-nya-scandinavium/ |work=Byggvärlden |language=sv |access-date=21 May 2023}}</ref><ref>{{cite web |title=The World of Hans Zimmer – A new dimension på Scandinavium |trans-title=The World of Hans Zimmer – A new dimension at Scandinavium |url=https://gotevent.se/evenemang/the-world-of-hans-zimmer/ |work=[[Got Event]] |language=sv |access-date=2 July 2023}}</ref> |- ! scope="row" | [[Jönköping]] | [[Husqvarna Garden]] | Hosted the heats of Melodifestivalen in [[Melodifestivalen 2007|2007]]. Did not meet the EBU requirements of capacity. | <ref>{{cite AV media |last1=Ahlqvist |first1=Carin |last2=Carlwe |first2=Ida |date=2023-05-15 |title=Hon vill att Eurovision arrangeras i Jönköping: "Stora event är vi ju vana vid" |trans-title=She wants Eurovision to be staged in Jönköping: "We're used to big events" |url=https://sverigesradio.se/artikel/hon-vill-att-eurovision-arrangeras-i-jonkoping-stora-event-ar-vi-ju-vana-vid |access-date=2023-05-20 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite AV media |last1=Hermansson |first=Sanna |date=2023-05-24 |title=Jönköping med i striden om Eurovision: "Viktigt att vi vågar sticka ut" |trans-title=Jönköping in the battle for Eurovision: "It's important that we dare to stand out" |url=https://sverigesradio.se/artikel/jonkoping-med-i-striden-om-eurovision-viktigt-att-vi-vagar-sticka-ut |access-date=2023-05-26 |publisher=Sveriges Radio |language=sv}}</ref> |-style="background:#CEDFF2" ! scope="row" style="background:#CEDFF2" | '''[[Malmö]]'''{{nbs}}† | '''[[Malmö Arena]]''' | Hosted the [[Eurovision Song Contest 2013]]. | <ref>{{cite news |last=Gillberg |first=Jonas |date=15 May 2023 |title=Malmö inväntar SVT om ESC-finalen: 'Vi vill alltid ha stora evenemang' |language=sv |trans-title=Malmö awaits SVT about the ESC final: "We always want big events" |work=[[Sydsvenskan]] |url=https://www.sydsvenskan.se/2023-05-15/malmo-invantar-svt-om-esc-finalen-vi-vill-alltid-ha-stora-evenemang |url-access=subscription}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-05-15 |title=Eurovision 2024: Malmö Prepared to Bid to Host Eurovision |url=https://eurovoix.com/2023/05/15/malmo-prepared-to-bid-to-host-eurovision-2024/ |access-date=2023-05-16 |website=Eurovoix }}</ref> |-style="background:#F2E0CE" ! scope="row" style="background:#F2E0CE" | [[Örnsköldsvik]]{{nbs}}^ | [[Hägglunds Arena]] | Hosted the heats of Melodifestivalen in 2007, [[Melodifestivalen 2010|2010]], [[Melodifestivalen 2014|2014]], [[Melodifestivalen 2018|2018]] and the semi-final in [[Melodifestivalen 2023|2023]]. | <ref name="Shortlist" /><ref>{{cite web |last=Åsgård |first=Samuel |date=15 May 2023 |access-date=16 May 2023 |title=Norrlandskommunen vill ha Eurovision - 'Skulle ge en annan bild av Sverige' |trans-title=Norrlandskommunen wants Eurovision - "Would give a different image of Sweden" |url=https://www.dagenssamhalle.se/offentlig-ekonomi/kommunal-ekonomi/norrlandskommunen-vill-ha-eurovision---skulle-ge-en-annan-bild-av-sverige/ |work=Dagens Samhälle |language=sv |url-access=subscription}}</ref> |- ! scope="row" | [[Partille]] | [[Partille Arena]] | Hosted [[Eurovision Choir 2019]]. Did not meet the EBU requirements of capacity. | <ref>{{cite newspaper |date= |title=Partille öppnar för Eurovision Song Contest 2024: Vi kan arrangera finalen |language=sv |trans-title=Partille opens to the Eurovision Song Contest 2024: We can organise the final |work=Partille Tidning |url=https://www.partilletidning.se/nyheter/partille-oppnar-for-eurovision-song-contest-2024-vi-kan-arrangera-finalen.a7fcd2b1-c4ad-418f-b401-6ec56ccc80d7 |url-access=subscription |access-date=20 May 2023}}</ref> |- ! scope="row" | [[Sandviken]] | [[Göransson Arena]] | Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in [[Gävleborg]]. | <ref>{{Cite web |last=Van Waarden |first=Franciska |date=2023-05-22 |title=Eurovision 2024: Sandviken City Council to Examine a Potential Hosting Bid |url=https://eurovoix.com/2023/05/22/eurovision-2024-sandviken-potential-hosting-bid/ |access-date=2023-05-22 |website=Eurovoix }}</ref><ref>{{cite news |last=Jansson |first=Arvid |date=2023-05-21 |url=https://www.svt.se/nyheter/lokalt/gavleborg/sandvikens-kommun-vill-ta-eurovision-song-contest-till-goransson-arena |title=Sandvikens kommun vill ta Eurovision Song Contest till Göransson Arena |language=sv |trans-title=Sandviken Municipality wants to take the Eurovision Song Contest to the Göransson Arena |work=SVT Nyheter |publisher=SVT |access-date=2023-05-23}}</ref> |- style="background:#D0F0C0" ! rowspan="3" scope="rowgroup" style="background:#D0F0C0" | [[Stockholm]]{{nbs}}* | [[Friends Arena]] | Hosted all but one final of Melodifestivalen since [[Melodifestivalen 2013|2013]]. Preferred venue of the [[Stockholm City Council]]. | rowspan="3" |<ref>{{Cite web |last=Washak |first=James |date=2023-05-16 |title=Eurovision 2024: Stockholm's Aim is for the Friends Arena to Host the Contest |url=https://eurovoix.com/2023/05/16/eurovision-2024-stockholm-friends-arena-venue/ |access-date=2023-05-16 |website=Eurovoix}}</ref><ref>{{cite web|url=https://escxtra.com/2023/06/20/may-18th-ruled-possible-grand-final/|title=May 18th ruled out as possible Grand Final date in Stockholms Friends Arena|last=Rössing|first=Dominik|website=ESCXTRA|date=20 June 2023|access-date=20 June 2023}}</ref><ref>{{cite news|url=https://www.aftonbladet.se/nojesbladet/a/rlOxbe/taylor-swift-gor-en-extra-konsert-i-stockholm|title=Taylor Swift gör en extra konsert i Stockholm|trans-title=Taylor Swift to hold an extra concert in Stockholm|work=Aftonbladet|language=sv|date=29 June 2023|access-date=29 June 2023}}</ref><ref>{{cite web|last=Silva|first=Emanuel|date=2023-06-20|url=https://www.aftonbladet.se/nojesbladet/a/dwaJLJ/uppgifter-stockholm-vill-bygga-ny-arena-for-eurovision|title=Uppgifter: Stockholm vill bygga ny arena för Eurovision|trans-title=Details: Stockholm wants to build a new arena for Eurovision|work=Aftonbladet|language=sv|access-date=2023-06-20}}</ref><ref>{{Cite web |last=Conte |first=Davide |date=2023-06-21 |title= Eurovision 2024: Stockholm's Bid Based On New Temporary Arena |url=https://eurovoix.com/2023/06/21/eurovision-2024-stockholms-bid-temporary-arena/ |access-date=2023-06-21 |website=Eurovoix }}</ref><ref>{{Cite web |last1=Haimi |first1=Elina |last2=Saveland |first2=Amanda |date=2023-06-20 |title=Stockholm vill bygga ny arena för Eurovision nästa år |trans-title=Stockholm wants to build a new arena for Eurovision next year |url=https://www.dn.se/kultur/stockholm-vill-bygga-ny-arena-for-eurovision-nasta-ar/ |access-date=2023-06-21 |website=[[Dagens Nyheter]] |language=sv}}</ref> |- style="background:#D0F0C0" | [[Tele2 Arena]] | — |- style="background:#D0F0C0" | ''Temporary arena'' | Proposal set around building a temporary arena in {{ill|Frihamnen, Stockholm|lt=Frihamnen|sv}}, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks. |} == Participating countries == {{Further|List of countries in the Eurovision Song Contest}} Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an [[European Broadcasting Union#Members|active EBU membership]] capable of receiving the contest via the [[Eurovision (network)|Eurovision network]] and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members. On 5 December 2023, the EBU announced that at least 37 countries would participate in the 2024 contest. {{esccnty|Luxembourg}} is set to return to the contest 31 years after its last participation in {{Escyr|1993}}, while {{esccnty|Romania}}, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,<ref name="Participants">{{cite web|url=https://eurovision.tv/story/eurovision-2024-37-broadcasters-head-malmo|title=Eurovision 2024: 37 broadcasters head to Malmö|date=5 December 2023|access-date=5 December 2023|website=Eurovision.tv|publisher=EBU}}</ref><ref>{{cite web|last=Granger|first=Anthony|url=https://eurovoix.com/2024/01/03/romania-eurovision-2024-participation-still-being-discussed/|title=Romania: TVR Confirms Eurovision 2024 Participation Still Being Discussed|date=3 January 2024|access-date=3 January 2024|website=Eurovoix}}</ref> with talks still ongoing between the EBU and Romanian broadcaster [[TVR (broadcaster)|TVR]] {{as of|2024|1|17|lc=1}}; the country has been given until the end of January to definitively confirm its participation in the contest.<ref name="romdead1">{{cite web |last=Suta |first=Dan |date=17 January 2024 |title=Bomba momentului! Șeful TVR spune dacă România mai ajunge la Eurovision 2024 |trans-title=The bomb of the moment! The head of TVR says whether Romania will still make it to Eurovision 2024 |language=ro |url=https://www.fanatik.ro/bomba-momentului-seful-tvr-spune-daca-romania-mai-ajunge-la-eurovision-2024-20581615 |access-date=17 January 2024 |work=Fanatik}}</ref><ref name="romdead2">{{cite web |last=Stephenson |first=James |date=17 January 2024 |title=Romania: TVR's Board to Vote on Eurovision Participation on January 25 |url=https://eurovoix.com/2024/01/17/romania-tvrs-board-to-vote-on-eurovision-participation-on-january-25/ |access-date=17 January 2024 |work=Eurovoix}}</ref> {| class="wikitable plainrowheaders" |+ Participants of the Eurovision Song Contest 2024<ref name="Participants"/><ref>{{Cite web |title=Participants of Malmö 2024 |url=https://eurovision.tv/event/malmo-2024/participants |access-date=2023-12-11 |website=Eurovision.tv |publisher=EBU}}</ref> |- ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Artist ! scope="col" | Song ! scope="col" | Language ! scope="col" | Songwriter(s) |- ! scope="row" | {{Esc|Albania|y=2024}} | [[RTSH]] | [[Besa (singer)|Besa]] | "{{lang|sq|Zemrën n'dorë|i=unset}}" | [[Albanian language|Albanian]]{{efn|While the original version of "{{lang|sq|Zemrën n'dorë|i=no}}" is in Albanian, the song is set to undergo a revamp ahead of the contest, which on previous occasions has included the lyrics being partly or fully switched into English.<ref>{{Cite web |last=Adams |first=William Lee |date=2024-01-02 |title=Albania's Besa Kokëdhima confirms 'Zemrën n'dorë' revamp — what are your suggestions? |url=https://wiwibloggs.com/2024/01/02/albanias-besa-kokedhima-confirms-zemren-ndore-revamp-what-are-your-suggestions/278913/ |access-date=2024-01-02 |website=[[Wiwibloggs]] |language=en-US}}</ref><ref>{{Cite web |last=Washak |first=James |date=2024-01-02 |title=Albania: Besa Kokëdhima Confirms Revamp of Eurovision 2024 Entry |url=https://eurovoix.com/2024/01/02/albania-besa-kokedhima-revamp-eurovision-2024-entry/ |access-date=2024-01-02 |website=Eurovoix |language=en-GB}}</ref>}} | {{hlist|[[Besa (singer)|Besa Kokëdhima]]|Kledi Bahiti|[[Rozana Radi]]}} |- ! scope="row" | {{Esc|Armenia|y=2024}} | [[Public Television Company of Armenia|AMPTV]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Australia|y=2024}} | [[Special Broadcasting Service|SBS]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Austria|y=2024}} | [[ORF (broadcaster)|ORF]] | [[Kaleen (singer)|Kaleen]] | "We Will Rave"<ref name="Austria">{{Cite web |last=Stadlbauer |first=Clemens |date=16 January 2024 |title=Kaleen tanzt für Österreich in Malmö an |trans-title=Kaleen dances for Austria in Malmö |url=https://oe3.orf.at/m/stories/3038708/ |access-date=16 January 2024 |language=de-AT |work=[[Hitradio Ö3]] | publisher=[[ORF (broadcaster)|ORF]]}}</ref> | {{TBA|TBA March 2024<ref name="Austria"/>}} | {{hlist|[[Jimmy Thörnfeldt|Jimmy "Joker" Thörnfeldt]]|TBA<ref name="Austria"/>}} |- ! scope="row" | {{Esc|Azerbaijan|y=2024}} | [[İctimai Television|İTV]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Belgium|y=2024}} | [[RTBF]] | [[Mustii]] | colspan="3" {{TBA|TBA February 2024<ref>{{Cite web |last=Bijuvignesh |first=Darshan |date=30 August 2023 |title=Belgium: Mustii's Eurovision 2024 Song to Be Revealed in February |url=https://eurovoix.com/2023/08/30/belgium-mustiis-eurovision-2024-song-revealed-february/ |access-date=30 August 2023 |work=Eurovoix}}</ref>}} |- ! scope="row" | {{Esc|Croatia|y=2024}} | [[Croatian Radiotelevision|HRT]] | colspan="4" {{TBA|TBD 25 February 2024<ref>{{Cite web |date=January 8, 2024 |title=Dora 2024. održat će se 22., 23. i 25. veljače na Prisavlju |trans-title=Dora 2024 will be held on February 22, 23 and 25 in Prisavlje |url=https://magazin.hrt.hr/zabava/dora-2024-odrzat-ce-se-22-23-i-25-veljace-na-prisavlju-11270891 |url-status=live |archive-url=https://web.archive.org/web/20240108135622/https://magazin.hrt.hr/zabava/dora-2024-odrzat-ce-se-22-23-i-25-veljace-na-prisavlju-11270891 |archive-date=January 8, 2024 |access-date=January 8, 2024 |publisher=[[Croatian Radiotelevision|HRT]]}}</ref>}} |- ! scope="row" | {{Esc|Cyprus|y=2024}} | [[Cyprus Broadcasting Corporation|CyBC]] | [[Silia Kapsis]] | "Liar" | {{N/A|}} | {{hlist|[[Dimitris Kontopoulos]]|Elke Tiel<ref name="CYTitle">{{Cite Instagram|postid=C11435StwMb|user=cybc_eurovision|title=Exciting news! Unveiling the title and the amazing team behind Cyprus' Eurovision 2024 entry! Are you ready to say no to a Liar?|date=2024-01-08|access-date=2024-01-08|author=[[Cyprus Broadcasting Corporation|CyBC]]}}</ref>}} |- ! scope="row" | {{Esc|Czechia|name=Czechia|y=2024}} | [[Czech Television|ČT]] | [[Aiko (Czech singer)|Aiko]] | "[[Pedestal (Aiko song)|Pedestal]]" | [[English language|English]] | {{hlist|[[Aiko (Czech singer)|Alena Shirmanova-Kostebelova]]|[[Blood Red Shoes|Steven Ansell]]<ref>{{cite web|url=https://music.apple.com/us/song/pedestal/1703052098|title=Pedestal - Song by Aiko|work=[[Apple Music]]|publisher=[[Apple Inc.]]|date=2023-09-22|access-date=2023-12-13}}</ref>}} |- ! scope="row" | {{Esc|Denmark|y=2024}} | [[DR (broadcaster)|DR]] | colspan="4" {{TBA|TBD 17 February 2024<ref>{{cite web|last=Jiandani|first=Sanjay|url=https://esctoday.com/192013/denmark-dmgp-2024-date-host-city-and-venue-unveiled/|title=Denmark: DMGP 2024 date, host city and venue unveiled|work=ESCToday|date=2023-09-28|access-date=2023-09-28}}</ref>}} |- ! scope="row" | {{Esc|Estonia|y=2024}} | [[Eesti Rahvusringhääling|ERR]] | colspan="4" {{TBA|TBD 17 February 2024<ref>{{Cite web |last=Carabaña Menéndez |first=Hugo |date=15 September 2023 |title=Estonia arranca la búsqueda para Malmö: presentado el Eesti Laul 2024 con una sola semifinal y la final el 17 de febrero |trans-title=Estonia starts the search for Malmö: Eesti Laul 2024 has been presented, with a single semi-final and the final on 17 February |url=https://www.escplus.es/eurovision/2023/estonia-arranca-la-busqueda-para-malmo-presentado-el-eesti-laul-2024-con-una-sola-semifinal-y-la-final-el-17-de-febrero/ |access-date=15 September 2023 |website=ESCplus España |language=es-ES }}</ref>}} |- ! scope="row" | {{Esc|Finland|y=2024}} | [[Yle]] | colspan="4" {{TBA|TBD 10 February 2024<ref>{{Cite web |last=C |first=Alastair |date=2023-10-03 |title=UMK is Moving Cities and Finland are Looking for a Star for Eurovision 2024 |url=https://www.escunited.com/umk-is-moving-cities-and-finland-are-looking-for-a-star-for-eurovision-2024/ |access-date=2023-10-03 |website=ESCUnited |language=en-US}}</ref>}} |- ! scope="row" | {{Esc|France|y=2024}} | {{lang|fr|[[France Télévisions]]|i=unset}} | [[Slimane (singer)|Slimane]] | "{{lang|fr|[[Mon amour (Slimane song)|Mon amour]]|i=unset}}" | [[French language|French]] | {{hlist|Meïr Salah|[[Slimane (singer)|Slimane Nebchi]]|Yaacov Salah<ref>{{cite tweet|number=1722212873844478005|author=Slimane|user=SlimaneOff|title=La chanson s'appelle « Mon amour ». Je l'ai écrite et composée avec mes inséparables Yaacov et Meir Salah|trans-title=The song's called "Mon amour". I've written it with my inseparable Yaacov and Meir Salah|language=fr|access-date=2023-11-08}}</ref>}} |- ! scope="row" | {{Esc|Georgia|y=2024}} | [[Georgian Public Broadcaster|GPB]] | [[Nutsa Buzaladze]] | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Germany|y=2024}} | [[Norddeutscher Rundfunk|NDR]]{{efn|On behalf of the German public broadcasting consortium [[ARD (broadcaster)|ARD]]<ref>{{cite web |title=Alle deutschen ESC-Acts und ihre Titel |trans-title=All German ESC acts and their songs |url=https://www.eurovision.de/teilnehmer/vorentscheid386_glossaryPage-25.html |publisher=ARD |access-date=12 June 2023 |archive-url=https://web.archive.org/web/20230612084259/https://www.eurovision.de/teilnehmer/vorentscheid386_glossaryPage-25.html |archive-date=12 June 2023 |language=de |url-status=live}}</ref>}} | colspan="4" {{TBA|TBD 16 February 2024<ref>{{Cite web |date=7 September 2023 |title='Das Deutsche Finale 2024': Germany's road to Malmö |url=https://eurovision.tv/story/das-deutsche-finale-2024-germanys-road-malmo |access-date=7 September 2023 |website=Eurovision.tv |publisher=EBU}}</ref>}} |- ! scope="row" | {{Esc|Greece|y=2024}} | [[Hellenic Broadcasting Corporation|ERT]] | [[Marina Satti]] | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Iceland|y=2024}} | [[RÚV]] | colspan="4" {{TBA|TBD 2 March 2024<ref>{{Cite web |last=Adam |first=Darren |date=13 October 2023 |title=Söngvakeppnin back in Laugardalshöll |url=https://www.ruv.is/english/2023-10-13-songvakeppnin-back-in-laugardalsholl-393969 |access-date=13 October 2023 |publisher=[[RÚV]]}}</ref>}} |- ! scope="row" | {{Esc|Ireland|y=2024}} | [[RTÉ]] | colspan="4" {{TBA|TBD 26 January 2024<ref>{{Cite web |last=Gannon |first=Rory |date=2024-01-05 |title=Eurosong 2024 to take place on January 26th |url=https://thateurovisionsite.com/2024/01/05/eurosong-2024-january-26th/ |access-date=2024-01-05 |website=That Eurovision Site|language=en}}</ref>}} |- ! scope="row" | {{Esc|Israel|y=2024}} | [[Israeli Public Broadcasting Corporation|IPBC]] | {{N/A|}} | colspan="3" {{TBA|TBA March 2024<ref>{{Cite web |date=2024-01-16 |title=בצל המלחמה: השינוי הדרמטי בבחירת השיר הישראלי לאירוויזיון |trans-title=In the shadow of the war: the dramatic change in the selection of the Israeli song for Eurovision |language=he-IL |url=https://www.maariv.co.il/culture/music/Article-1068373 |access-date=2024-01-16 |website=[[Maariv (newspaper)|Maariv]]}}</ref>}} |- ! scope="row" | {{Esc|Italy|y=2024}} | [[RAI]] | colspan="4" {{TBA|TBD 10 February 2024{{efn|Participation in the [[Sanremo Music Festival 2024|Sanremo Music Festival]], used as the Italian national selection event for Eurovision, [[right of first refusal|does not require]] that the artists accept to represent the country at the contest in case of victory; participants who intend to are instead required to give their prior consent through a dedicated form. In the event that the winning artist has not agreed to that, national broadcaster [[RAI]] proceeds to internally select the Italian entrant for the contest.<ref>{{Cite web |last=Dammacco |first=Beppe |date=2023-07-10 |title=Sanremo 2024, fuori il regolamento. Il vincitore va all'Eurovision |trans-title=Sanremo 2024 rules released. The winner goes to Eurovision |url=https://www.eurofestivalnews.com/2023/07/10/sanremo-2024-regolamento-vincitore-eurovision/ |access-date=2023-07-10 |website=Eurofestival News |language=it-IT}}</ref><ref>{{cite web|url=https://www.rai.it/dl/doc/2023/07/10/1688977281669_Regolamento%20SANREMO%202024%20%20-.pdf|title=Regolamento Sanremo 2024|trans-title=Rules of Sanremo 2024|language=it|publisher=RAI|date=2023-07-10|access-date=2023-07-10|url-status=dead|archive-url=https://web.archive.org/web/20230715194411/https://www.rai.it/dl/doc/2023/07/10/1688977281669_Regolamento%20SANREMO%202024%20%20-.pdf|archive-date=2023-07-15}}</ref> This is usually confirmed during the winner's press conference held the morning after the final<ref>{{Cite web |last=Dammacco |first=Beppe |date=2023-02-12 |title=Marco Mengoni ha detto sì: vola a Liverpool per il suo secondo Eurovision |trans-title=Marco Mengoni has said yes: he's flying to Liverpool for his second Eurovision |url=https://www.eurofestivalnews.com/2023/02/12/marco-mengoni-conferma-eurovision-2023/ |access-date=2024-01-19|website=Eurofestival News |language=it-IT}}</ref>{{snd}}i.e. on 11 February 2024.}}}} |- ! scope="row" | {{Esc|Latvia|y=2024}} | [[Latvijas Televīzija|LTV]] | colspan="4" {{TBA|TBD 10 February 2024<ref>{{Cite web |date=2024-01-09 |title=Dziesmu konkursa «Supernova» pusfinālā uzstāsies 15 mākslinieki |trans-title=15 artists will perform in the semi-final of the "Supernova" song contest |url=https://www.lsm.lv/raksts/kultura/izklaide/09.01.2024-dziesmu-konkursa-supernova-pusfinala-uzstasies-15-makslinieki.a538169/ |access-date=2024-01-09 |website=lsm.lv |publisher=[[Latvijas Televīzija|LTV]] |language=lv}}</ref>}} |- ! scope="row" | {{Esc|Lithuania|y=2024}} | [[Lithuanian National Radio and Television|LRT]] | colspan="4" {{TBA|TBD 17 February 2024<ref name="lithuania">{{cite web|url=https://www.lrt.lt/naujienos/muzika/680/2153683/skelbiami-nacionalines-eurovizijos-atrankos-dalyviai-prie-starto-linijos-40-dainu|title=Skelbiami nacionalinės 'Eurovizijos' atrankos dalyviai: prie starto linijos – 40 dainų|trans-title=The participants of the national Eurovision selection have been announced: at the starting line, 40 songs|language=lt-LT|publisher=[[Lithuanian National Radio and Television|LRT]]|date=2023-12-19|access-date=2023-12-19}}</ref>}} |- ! scope="row" | {{Esc|Luxembourg|y=2024}} | [[RTL Group|RTL]] | colspan="4" {{TBA|TBD 27 January 2024<ref>{{cite web |title=Luxembourg sets January date for televised national final |url=https://eurovision.tv/story/luxembourg-sets-january-date-televised-national-final|date=3 July 2023|access-date=3 July 2023 |website=Eurovision.tv |publisher=EBU}}</ref>}} |- ! scope="row" | {{Esc|Malta|y=2024}} | [[Public Broadcasting Services|PBS]] | colspan="4" {{TBA|TBD 3 February 2024<ref>{{cite web |title=Malta: Malta Eurovision Song Contest 2024 Final to Last Six Days |url=https://eurovoix.com/2024/01/09/malta-eurovision-song-contest-2024-final-six-days/ |date=2024-01-09 |access-date=2024-01-09 |work=Eurovoix |first=Davide |last=Conte}}</ref>}} |- ! scope="row" | {{Esc|Moldova|y=2024}} | [[Teleradio-Moldova|TRM]] | colspan="4" {{TBA|TBD 17 February 2024<ref>{{cite web |title=Regulament cu privire la desfășurarea Selecției Naționale și desemnarea reprezentantului Republicii Moldova la concursul internațional Eurovision Song Contest 2024 |trans-title=Regulation on how the National Selection and the designation of the representative of the Republic of Moldova at the international Eurovision Song Contest 2024 will be conducted |url=https://eurovision.md/RegulamentEurovision2024.pdf |date=22 November 2023 |access-date=22 November 2023 |publisher=[[Teleradio-Moldova|TRM]] |language=ro}}</ref>}} |- ! scope="row" | {{Esc|Netherlands|y=2024}} | [[AVROTROS]] | [[Joost Klein]] | {{TBA|TBA March 2024<ref>{{Cite web |title=Joost Klein is de Nederlandse inzending voor het Songfestival 2024 |trans-title=Joost Klein is the Dutch entry for the Eurovision Song Contest 2024 |url=https://www.npo3fm.nl/nieuws/3fm-nieuws/3c391a3d-ab44-4249-8ccb-f3d67014ca80/joost-klein-is-de-nederlandse-inzending-voor-het-songfestival-2024 |date=2023-12-11 |access-date=2023-12-14 |website=[[NPO 3FM]] |publisher=[[Nederlandse Publieke Omroep (organisation)|NPO]] |language=nl}}</ref>}} | [[Dutch language|Dutch]]<ref name="nl">{{Cite web |last=Washak |first=James |date=2023-12-11 |title=Netherlands: Joost Klein to Eurovision 2024 |url=https://eurovoix.com/2023/12/11/netherlands-joost-klein-to-eurovision-2024/ |access-date=2023-12-11 |website=Eurovoix |language=en-GB}}</ref> | {{hlist|[[Donnie (Dutch rapper)|Donny Ellerström]]|[[Joost Klein]]<ref name="nl"/>}} |- ! scope="row" | {{Esc|Norway|y=2024}} | [[NRK]] | colspan="4" {{TBA|TBD 3 February 2024<ref>{{Cite web |last=Tangen |first=Anders Martinius |date=21 October 2023 |title=Mona Berntsen er ny sceneregissør for MGP og det bli finale 3.februar |trans-title=Mona Berntsen is the new stage director for MGP, and the final will be on February 3 |url=https://escnorge.no/2023/10/21/mona-berntsen-er-ny-koreograf-for-mgp-finale-4-februar/ |access-date=22 October 2023 |work=ESC Norge |language=nb}}</ref>}} |- ! scope="row" | {{Esc|Poland|y=2024}} | [[Telewizja Polska|TVP]] | {{N/A|}} | {{N/A|}} | {{N/A|}} | {{N/A|}} |- ! scope="row" | {{Esc|Portugal|y=2024}} |[[Rádio e Televisão de Portugal|RTP]] | colspan="4" {{TBA|TBD 9 March 2024<ref name="FDC24Final">{{Cite web |date=2024-01-12 |last=Granger |first=Anthony|title=Portugal: Festival da Canção 2024 Final on March 9 |url=https://eurovoix.com/2024/01/12/portugal-festival-da-cancao-2024-final-on-march-9/ |access-date=2024-01-12 |work=Eurovoix |language=en-GB}}</ref>}} |- ! scope="row" | {{Esc|San Marino|y=2024}} | [[San Marino RTV|SMRTV]] | colspan="4" {{TBA|TBD 24 February 2024<ref>{{Cite web |date=2023-11-29 |title=Festival 'Una Voce Per San Marino' The music contest linked to the Eurovision Song Contest 2023/2024 |url=https://www.unavocepersanmarino.com/wp-content/uploads/2023/11/SET-OF-RULES-FOR-UNA-VOCE-PER-SAN-MARINO-2024_rev2.pdf |access-date=2023-11-29 |publisher=[[San Marino RTV|SMRTV]] |language=en}}</ref>}} |- ! scope="row" | {{Esc|Serbia|y=2024}} | [[Radio Television of Serbia|RTS]] | colspan="4" {{TBA|TBD 2 March 2024<ref name="Serbia">{{Cite web|date=6 December 2023|last=Farren|first=Neil|title=Serbia: Pesma za Evroviziju 2024 Final on March 2|url=https://eurovoix.com/2023/12/06/serbia-pesma-za-evroviziju-2024-final-march-2/|access-date=6 December 2023|work=Eurovoix}}</ref>}} |- ! scope="row" | {{Esc|Slovenia|y=2024}} | [[Radiotelevizija Slovenija|RTVSLO]] | [[Raiven]] | "Veronika" | [[Slovene language|Slovene]] | {{hlist|{{ill|Bojan Cvjetićanin|sl}}|Danilo Kapel|Klavdija Kopina|Martin Bezjak|Peter Khoo|[[Raiven|Sara Briški Cirman]]<ref>{{cite AV media |title=Raiven - Veronika {{!}} Slovenia {{!}} Official Video {{!}} Eurovision 2024 |type=Music video |url=https://www.youtube.com/watch?v=uWcSsi7SliI |access-date=21 January 2023 |publisher=EBU |via=[[YouTube]]}}</ref>}} |- ! scope="row" | {{Esc|Spain|y=2024}} | [[RTVE]] | colspan="4" {{TBA|TBD 3 February 2024<ref>{{cite web|last=Casanova|first=Verónica|url=https://www.rtve.es/television/20230726/benidorm-fest-2024-novedades-fechas/2452394.shtml|title=Todas las novedades sobre el Benidorm Fest 2024: fechas de las galas y anuncio de artistas|trans-title=All the news about Benidorm Fest 2024: dates of the galas and artists announcement|publisher=[[RTVE]]|language=es-ES|date=2023-07-26|access-date=2023-07-26}}</ref>}} |- ! scope="row" | {{Esc|Sweden|y=2024}} | [[Sveriges Television|SVT]] | colspan="4" {{TBA|TBD 9 March 2024<ref>{{cite web|last=Conte|first=Davide|url=https://eurovoix.com/2023/09/20/melodifestivalen-2024-dates-cities/|title=Sweden: Melodifestivalen 2024 Dates and Host Cities Announced|work=Eurovoix|date=20 September 2023|access-date=20 September 2023}}</ref>}} |- ! scope="row" | {{Esc|Switzerland|y=2024}} | [[Swiss Broadcasting Corporation|SRG SSR]] | colspan="4" {{TBA|TBA March 2024<ref>{{Cite web |last=Granger |first=Anthony |date=2023-12-09 |title=Switzerland: Five Artists in Contention for Eurovision 2024 |url=https://eurovoix.com/2023/12/09/switzerland-five-artists-in-contention-for-eurovision-2024/ |access-date=2023-12-09 |website=Eurovoix}}</ref>}} |- ! scope="row" | {{Esc|Ukraine|y=2024}} | {{lang|uk-latn|[[Suspilne]]|i=unset}} | colspan="4" {{TBA|TBD 3 February 2024<ref>{{Cite web |last=Díaz |first=Lorena |date=13 December 2023 |title=Vidbir 2024: Desveladas las 9 canciones de la repesca y fechada la final del certamen para el 3 de febrero |trans-title=Vidbir 2024: The 9 songs of the second chance have been revealed and the final of the contest has been scheduled for 3 February |url=https://www.escplus.es/eurovision/2023/vidbir-2024-desveladas-las-9-canciones-de-la-repesca-y-fechada-la-final-del-certamen-para-el-3-de-febrero/ |access-date=13 December 2023 |website=ESCplus España |language=es-ES }}</ref>}} |- ! scope="row" | {{Esc|United Kingdom|y=2024}} | [[BBC]] | [[Olly Alexander]] | {{N/A|}} | {{N/A|}} | {{hlist|[[Olly Alexander|Oliver Alexander Thornton]]|[[Danny L Harle|Daniel Harle]]<ref name="United Kingdom">{{Cite web |last=Savage |first=Mark |url=https://www.bbc.co.uk/news/entertainment-arts-67731243|title=Eurovision 2024: Pop star Olly Alexander to represent the UK|date=2023-12-16 |access-date=2023-12-16 |work=[[BBC News Online]] |publisher=[[BBC]]}}</ref>}} |} === Other countries ===<!-- Only include countries that have information specific to 2024--> * {{Esc|North Macedonia}}{{snd}}Despite previous allocation of funds to participate in the 2024 contest,<ref>{{cite web|last=Sturtridge|first=Isaac|url=https://escxtra.com/2023/09/17/north-macedonia-to-return-to-eurovision-2024/|title=North Macedonia to return to Eurovision 2024|work=ESCXTRA|date=2023-09-17|access-date=2023-09-18}}</ref> Macedonian broadcaster [[Macedonian Radio Television|MRT]] ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.<ref name="Macedonia1">{{Cite web |last=Jiandani |first=Sanjay |date=2023-12-05 |title=North Macedonia: MKRTV confirms non participation at Eurovision 2024 |url=https://esctoday.com/191664/north-macedonia-mkrtv-confirms-non-participation-at-eurovision-2024/ |access-date=2023-12-06 |website=ESCToday |language=en}}</ref><ref name="Macedonia2">{{Cite web |last=Stephenson |first=James |date=2023-12-06 |title=North Macedonia: MRT Explains Absence from Eurovision 2024 |url=https://eurovoix.com/2023/12/06/north-macedonia-mrt-explains-absence-from-eurovision-2024/ |access-date=2023-12-06 |website=Eurovoix}}</ref> North Macedonia last took part in {{Escyr|2022}}. * {{Esc|Romania}}{{snd}} Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.<ref name="Participants"/> Shortly after, Romanian broadcaster [[TVR (TV network)|TVR]] explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the [[Ministry of Public Finance (Romania)|Ministry of Finance]], confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.<ref>{{cite web |last=Katsoulakis |first=Manos |date=12 September 2023 |title=Romania: Eurovision 2024 participation lies on the decision of the Minister of Finance! |url=https://eurovisionfun.com/en/2023/09/romania-eurovision-2024-participation-lies-on-the-decision-of-the-minister-of-finance/ |access-date=12 September 2023 |work=Eurovisionfun}}</ref><ref>{{cite web |last=Koronakis |first=Spyros |date=7 December 2023 |title=Romania: TVR received extra time from the EBU to pay the participation fee! |url=https://eurovisionfun.com/en/2023/12/romania-tvr-received-extra-time-from-the-ebu-to-pay-the-participation-fee/ |access-date=7 December 2023 |work=Eurovisionfun}}</ref> In mid-January 2024, TVR's director {{ill|Dan Turturică|ro}} disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.<ref name="romdead1"/><ref name="romdead2"/> Active EBU member broadcasters in {{Esccnty|Andorra}}, {{Esccnty|Bosnia and Herzegovina}}, {{Esccnty|Monaco}} and {{Esccnty|Slovakia}} confirmed non-participation prior to the announcement of the participants list by the EBU.<ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-08-21 |title=Andorra: RTVA confirms non participation at Eurovision 2024 |url=https://esctoday.com/191745/andorra-rtva-confirms-non-participation-at-eurovision-2024/ |access-date=2023-08-21 |website=ESCToday |language=en}}</ref><ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-08-02 |title=Bosnia & Herzegovina: BHRT confirms non participation at Eurovision 2024 |url=https://esctoday.com/191722/bosnia-herzegovina-bhrt-confirms-non-participation-at-eurovision-2024/ |access-date=2023-08-02 |website=ESCToday }}</ref><ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-09-15 |title=Monaco: MMD-TVMONACO will not compete at Eurovision 2024 |url=https://esctoday.com/191779/monaco-mmd-tvmonaco-will-not-compete-at-eurovision-2024/ |access-date=2023-09-15 |website=ESCToday }}</ref><ref>{{cite web |date=4 June 2023 |title=Eslovaquia: RTVS seguirá fuera de Eurovisión y Eurovisión Junior |trans-title=Slovakia: RTVS will remain out of Eurovision and Junior Eurovision |url=https://eurofestivales.blogspot.com/2023/06/eslovaquia-rtvs-seguira-fuera-de.html |access-date=4 June 2023 |work=Eurofestivales |language=es-ES}}</ref> == Production == The Eurovision Song Contest 2024 will be produced by the Swedish national broadcaster {{lang|sv|[[Sveriges Television]]|i=unset}} (SVT). The core team will consist of Ebba Adielsson as executive producer, {{ill|Christel Tholse Willers|sv}} as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer, [[Christer Björkman]] as contest producer, and {{ill|Per Blankens|sv}} as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.<ref name="2024coreteameng">{{Cite web |date=2023-06-14 |title=SVT appoints Eurovision Song Contest 2024 core team |url=https://eurovision.tv/story/svt-appoints-eurovision-song-contest-2024-core-team |access-date=2023-06-14 |website=Eurovision.tv |publisher=EBU}}</ref><ref name="finalteam">{{Cite web |date=2023-09-11 |title=Eurovision 2024 core team for Malmö is now complete |url=https://eurovision.tv/story/eurovision-2024-core-team-malmo-now-complete |access-date=2023-09-11 |website=Eurovision.tv |publisher=EBU |language=en}}</ref><ref name="svtteam">{{Cite press release |date=2023-06-14 |title=ESC 2024 - SVT har utsett ansvarigt team |trans-title=ESC 2024 - SVT has appointed the responsible team |url=https://omoss.svt.se/arkiv/nyhetsarkiv/2023-06-14-esc-2024---svt-har-utsett-ansvarigt-team.html |access-date=2023-06-14 |publisher=SVT |language=sv}}</ref> [[Edward af Sillén]] and {{ill|Daniel Réhn|sv}} will write the script for the live shows' hosting segments and the opening and interval acts.<ref>{{Cite web |url=https://eurovision.tv/story/swedish-writing-dream-team-returns-malmo-2024 |title=Swedish writing dream team returns for Malmö 2024 |work=Eurovision.tv |publisher=EBU |date=2023-12-07 |access-date=2023-12-07 |lang=en-gb}}</ref> A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: {{Escyr|2000}}, 2013 and 2016. [[Malmö Municipality]] will contribute {{currency|30 million|SEK2|passthrough=yes}} (approximately {{currency|2.5 million|EUR|passthrough=yes}}) to the budget of the contest.<ref>{{Cite web |last=Jiandani |first=Sanjay |date=2023-09-18 |title=Eurovision 2024: Malmo to invest €2.5 million on the contest |url=https://esctoday.com/191959/eurovision-2024-malmo-to-invest-e-2-5-million-on-the-contest/ |access-date=2023-09-18 |website=ESCToday}}</ref><ref>{{Cite web |last=Westerberg |first=Olof |date=2024-01-14 |title=Så används 30 miljoner av Malmöbornas pengar på Eurovisionfesten |trans-title=This is how 30 million of Malmö residents' money is used at the Eurovision festival |url=https://www.sydsvenskan.se/2024-01-14/sa-anvands-30-miljoner-av-malmobornas-pengar-pa-eurovisionfesten |url-access=subscription |access-date=2024-01-17 |website=Sydsvenskan |language=sv}}</ref> === Slogan and visual design === On 14 November 2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.<ref name="Slogan">{{Cite web |date=2023-11-14 |title='United By Music' chosen as permanent Eurovision slogan |url=https://eurovision.tv/story/united-by-music-permanent-slogan |access-date=2023-11-14 |work=Eurovision.tv |publisher=EBU |lang=en-gb}}</ref> The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on [[Aurora|auroras]] and [[Equalization (audio)|sound equalisers]], and was built with adaptability across different formats taken into account.<ref name=":2">{{Cite web |date=2023-12-14 |title=Eurovision 2024 theme art revealed! |url=https://eurovision.tv/story/eurovision-2024-theme-art-revealed |access-date=2023-12-14 |website=Eurovision.tv |publisher=EBU |language=en}}</ref><ref>{{Cite Instagram|postid=C01r1pPChen|user=uncut_stuff|title=Uncut has been tasked, together with SVT's internal team, to lead the strategic direction for Eurovision as well as the moving visual identity. Uncut and SVT, in turn, have built a unique, creative team for the project, where Sidney Lim from Bold Stockholm, among others, takes on the role as the designer.|date=2023-12-14|access-date=2023-12-14|author=Uncut}}</ref><ref>{{Cite web |date=2023-12-15 |title=First glimpse of the Eurovision 2024 brand identity |url=https://www.boldscandinavia.com/first-glimpse-of-the-eurovision-2024-brand-identity/ |access-date=2023-12-25 |website=Bold Scandinavia |language=en-US}}</ref> === Stage design === The stage design for the 2024 contest was unveiled on 19 December 2023. It was devised by German [[Florian Wieder]], the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable [[LED lamp|LED]] cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.<ref name=":3">{{Cite web |date=2023-12-19 |title=Incredible stage revealed for Eurovision 2024 |url=https://eurovision.tv/story/incredible-stage-revealed-eurovision-2024 |access-date=2023-12-19 |website=Eurovision.tv |publisher=EBU |language=en}}</ref> == Format == === Semi-final allocation draw === The draw to determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00 [[Central European Time|CET]].<ref name=":4">{{Cite web |date=2023-12-21 |title=Details released for 'Eurovision Song Contest 2024: The Draw' |url=https://eurovision.tv/story/details-released-eurovision-song-contest-2024-draw |access-date=2023-12-21 |website=Eurovision.tv |publisher=EBU |language=en}}</ref> The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of [[Block voting|bloc voting]] and to increase suspense in the semi-finals.<ref>{{cite web |date=14 January 2017 |title=Eurovision Song Contest: Semi-Final Allocation Draw |url=https://eurovision.tv/about/in-depth/semi-final-allocation-draw/ |access-date=2 July 2020 |website=Eurovision.tv |publisher=EBU}}</ref> The draw also determines which semi-final each of the six automatic qualifiers{{snd}}host country {{Esccnty|Sweden}} and "[[Big Five (Eurovision)|Big Five]]" countries ({{Esccnty|France}}, {{Esccnty|Germany}}, {{Esccnty|Italy}}, {{Esccnty|Spain}} and the {{Esccnty|United Kingdom}}){{snd}}will vote in and be required to broadcast. The ceremony will be hosted by [[Pernilla Månsson Colt]] and [[Farah Abadi]], and is expected to include the passing of the [[List of Eurovision Song Contest host cities#Host city insignia|host city insignia]] from the mayor (or equivalent role) of previous host city [[Liverpool]] to the one of Malmö<!--{{snd}}i.e. from Andrew Lewis, chief executive of the [[Liverpool City Council]], to [[Katrin Stjernfeldt Jammeh]], commissioner of Malmö Municipality-->.<ref name=":4" /><ref name="FAQs">{{cite web |title=FAQ: Malmö 2024 |url=https://eurovision.tv/mediacentre/frequently-asked-questions-24 |access-date=5 December 2023 |website=Eurovision.tv |publisher=EBU}}</ref><ref>{{Cite web |date=2023-06-15 |title=SVT:s hemliga kravlista |trans-title=SVT's secret list of demands |url=https://www.aftonbladet.se/a/4oG4p9 |url-access=subscription |access-date=2023-06-15 |website=Aftonbladet |language=sv}}</ref> === Proposed changes === A number of changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the {{lang|de|[[Meistersaal]]|i=unset}} in [[Berlin]], Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.<ref name="Karlsen">{{Cite AV media |url=https://www.youtube.com/watch?v=89i6_tSBC3c |title=Eurovíziós Podcast - Mi a norvég siker titka, mit tanácsol nekünk Stig Karlsen delegációvezető? |date=2023-07-15 |publisher=EnVagyokViktor |trans-title=Eurovision Podcast - What is the secret of Norwegian success, what does head of delegation Stig Karlsen advise us? |time=23:39 |quote=This is being discussed, you know, there's a Eurovision workshop where all the delegations get to travel to in Berlin in September, so that's [the] time where we can really voice our opinion, and I think that this is gonna be one of the things that will be discussed, and I think that they're gonna figure it out in September, and then there's gonna be an official release maybe in January, at least this is what I've heard. |via=YouTube}}</ref><ref>{{cite web |last=Jiandani |first=Sanjay |date=2023-09-11 |title=EBU: Eurovision Workshop in Berlin on 15 September |url=https://esctoday.com/191877/ebu-eurovision-workshop-in-berlin-on-15-september/ |access-date=2023-09-11 |work=ESCToday}}</ref> The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.<ref>{{Cite web |date=2023-11-01 |title=The Rules of the Contest 2024 |url=https://eurovision.tv/about/rules |access-date=2023-11-05 |website=Eurovision.tv |publisher=EBU |language=en}}</ref> Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.<ref>{{Cite web |last=Ek |first=Torbjörn |date=2023-09-11 |title=Christer Björkman gör Eurovision-comeback |trans-title=Christer Björkman makes a Eurovision comeback |url=https://www.aftonbladet.se/a/WRAr1k |access-date=2023-09-11 |website=Aftonbladet |language=sv}}</ref> ==== Voting system and rules ==== {{See also|Voting at the Eurovision Song Contest}} After the outcome of the 2023 contest, which saw {{Esccnty|Sweden|y=2023}} win despite {{Esccnty|Finland|y=2023}}'s lead in the televoting, [[Eurovision Song Contest 2023#Reaction to the results|sparked controversy]] among the audience, Norwegian broadcaster [[NRK]] started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in {{esccnty|Norway|y=2019|t=2019}} and {{esccnty|Norway|y=2023|t=2023}}, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.<ref>{{Cite web |last=Ntinos |first=Fotios |date=2023-09-12 |title=Eurovision 2024: Did Stig Karlsen succeed in reducing the power of juries? |url=https://eurovisionfun.com/en/2023/09/eurovision-2024-did-stig-karlsen-succeed-in-reducing-the-power-of-juries/ |access-date=2023-09-12 |work=Eurovisionfun}}</ref> In an interview, the Norwegian head of delegation {{ill|Stig Karlsen|no}} discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.<ref>{{cite web |last=Stephenson |first=James |date=2023-07-19 |title=Eurovision 2024: Norway Plans to Propose New Voting System |url=https://eurovoix.com/2023/07/19/eurovision-2024-norway-plans-to-propose-new-voting-system/ |access-date=2023-07-19 |work=Eurovoix}}</ref><ref>{{cite web|url=https://eurovision.tv/voting-changes-2023-faq|title=Voting changes (2023) FAQ|website=Eurovision.tv |date=22 November 2022 |publisher=EBU|access-date=2023-07-19}}</ref> Any changes to the voting system are expected to be officially announced in January 2024.<ref>{{cite web|last=Granger|first=Anthony|date=2023-06-14|url=https://eurovoix.com/2023/06/14/ebu-discussions-changes-jury-system-eurovision-2024/|title=EBU in Discussions Regarding Changes to Jury System for Eurovision 2024|work=Eurovoix|access-date=2023-06-14}}</ref> At the [[Edinburgh TV Festival]] in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning [[artificial intelligence|AI]]-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".<ref>{{Cite news |last=Seal |first=Thomas |date=2023-08-24 |title=Eurovision Organizers Consider Banning AI From Kitschy Pop Contest |language=en |work=[[Bloomberg News]] |url=https://www.bloomberg.com/news/articles/2023-08-24/eurovision-organizers-consider-ai-ban-at-kitschy-pop-contest |url-access=subscription |access-date=2023-08-25}}</ref> On 27 November 2023, Sammarinese broadcaster [[San Marino RTV|SMRTV]] launched [[San Marino in the Eurovision Song Contest 2024#The San Marino Sessions|a collaboration with London-based AI startup Casperaki]] as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.<ref>{{cite web|title=Casperaki introduce un'opportunità globale: ora chiunque può avere la possibilità di partecipare alla selezione nazionale Una Voce per San Marino|trans-title=Casperaki introduces a global opportunity: Now anyone can have a chance to be a contestant at the Una Voce per San Marino national selection|language=it,en|url=https://www.sanmarinortv.sm/news/comunicati-c9/casperaki-introduce-un-opportunita-globale-ora-chiunque-puo-avere-la-possibilita-di-partecipare-alla-selezione-nazionale-una-voce-per-san-marino-a250843|work=sanmarinortv.sm|publisher=SMRTV|date=2023-11-28|access-date=2023-11-28}}</ref> Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final {{lang|no|[[Melodi Grand Prix 2024]]}}, revealed on 5 January 2024.<ref>{{Cite web |date=5 January 2024 |title=Norway's Melodi Grand Prix 2024: The 18 artists and songs |url=https://eurovision.tv/story/norways-mgp-2024-songs |access-date=5 January 2024 |work=Eurovision.tv |publisher=EBU}}</ref> In late September 2023, [[Carolina Norén]], {{lang|sv|[[Sveriges Radio]]|i=unset}}'s commentator for the contest, revealed that she had resumed talks with executive supervisor [[Martin Österdahl]] concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.<ref>{{cite web|last=Rowe|first=Callum|date=2023-09-26|url=https://eurotrippodcast.com/2023/09/26/svt-presenter-urging-martin-osterdahl-about-big-five-change/|title=Swedish commentator urging Martin Österdahl to change Big Five rule|work=The Euro Trip Podcast|access-date=2023-09-27}}</ref> == Broadcasts == All participating broadcasters may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest [[YouTube]] channel provides international live streams with no commentary of all shows. The following are the broadcasters that have confirmed in whole or in part their broadcasting plans: {| class="wikitable plainrowheaders" |+ Broadcasters and commentators in participating countries ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Channel(s) ! scope="col" | Show(s) ! scope="col" | Commentator(s) ! scope="col" | {{Abbr|Ref(s)|Reference(s)}} |- ! scope="row" | {{flagu|Australia}} | [[Special Broadcasting Service|SBS]] | [[SBS (Australian TV channel)|SBS]] | All shows | rowspan="5" {{TBA}} | <ref>{{Cite web|last=Knox|first=David|url=https://tvtonight.com.au/2023/10/2024-upfronts-sbs-nitv.html|title=2024 Upfronts: SBS / NITV|work=[[TV Tonight]]|date=2023-10-31|access-date=2023-10-31}}</ref> |- ! scope="row" | {{flagu|France}} | {{lang|fr|[[France Télévisions]]|i=unset}} | [[France 2]] | Final | <ref>{{cite web|url=https://www.france.tv/france-2/eurovision/|title=Eurovision|work=France.tv|publisher=[[France Télévisions]]|language=fr-FR|access-date=2023-11-08|archive-url=https://web.archive.org/web/20231108154720/https://www.france.tv/france-2/eurovision/|archive-date=2023-11-08|url-status=live}}</ref> |- ! scope="row" | {{flagu|Germany}} | [[ARD (broadcaster)|ARD]]/[[Norddeutscher Rundfunk|NDR]] | {{lang|de|[[Das Erste]]|i=unset}} | Final |<ref>{{Cite web|work=[[Süddeutsche Zeitung]]|language=de|title=ARD hält an ESC-Teilnahme fest|trans-title=ARD is sticking to ESC participation|url=https://www.sueddeutsche.de/kultur/musik-ard-haelt-an-esc-teilnahme-fest-dpa.urn-newsml-dpa-com-20090101-230515-99-698691|date=2023-05-15|access-date=2023-05-15}}</ref> |- ! scope="row" | {{flagu|Italy}} | [[RAI]] | [[Rai 1]] | Final | <ref>{{Cite web|title=Claudio Fasulo: 'Più Eurovision su Rai1 nel 2024. Mengoni e la bandiera arcobaleno? Non lo sapevamo'|trans-title=Claudio Fasulo: "More Eurovision on Rai1 in 2024. Mengoni's rainbow flag? We did not know about it"|url=https://www.fanpage.it/spettacolo/eventi/claudio-fasulo-piu-eurovision-su-rai1-nel-2024-mengoni-e-la-bandiera-arcobaleno-non-lo-sapevamo/|date=2023-05-15|access-date=2023-07-15|website=[[Fanpage.it]]|language=it}}</ref> |- ! scope="row" | {{flagu|Luxembourg}} | [[RTL Group|RTL]] | [[RTL (Luxembourgian TV channel)|RTL]] | All shows | <ref>{{Cite web|title=Luxembourg to return to the Eurovision Song Contest in 2024|url=https://eurovision.tv/story/luxembourg-return-eurovision-2024|url-status=live|archive-url=https://web.archive.org/web/20230514012411/https://eurovision.tv/story/luxembourg-return-eurovision-2024|archive-date=14 May 2023|date=12 May 2023|access-date=14 May 2023|website=Eurovision.tv|publisher=EBU}}</ref> |- ! scope="row" |{{flagu|Poland}} | [[Telewizja Polska|TVP]] | {{TBA}} | rowspan="3" {{TBA}} | [[Artur Orzech]] | <ref>{{Cite web |last=Puzyr |first=Małgorzata |date=2024-01-12 |title=Znany prezenter wraca do TVP. Odchodził w atmosferze skandalu |trans-title=Well-known presenter returns to TVP. He left amid scandal |url=https://rozrywka.dorzeczy.pl/film-i-telewizja/536649/artur-orzech-wraca-do-tvp-wiadomo-czym-sie-zajmie.html |access-date=2024-01-12 |website=[[Do Rzeczy|Rozrywka Do Rzeczy]] |language=pl}}</ref> |- ! rowspan="2" scope="rowgroup" | {{flagu|Ukraine}} | rowspan="2" | {{lang|uk-latn|[[Suspilne]]|i=unset}} | {{lang|uk-latn|[[Suspilne Kultura]]|i=unset}} | rowspan="3" {{TBA}} | rowspan="2" | <ref>{{cite web|title=Україна візьме участь у Євробаченні-2024: хто стане музичним продюсером?|trans-title=Ukraine will take part in Eurovision 2024: who will be the music producer?|url=https://eurovision.ua/5331-ukrayina-vizme-uchast-u-yevrobachenni-2024-hto-stane-muzychnym-prodyuserom/|date=2023-08-28|access-date=2023-08-28|website=Eurovision.ua|publisher=Suspilne|language=uk}}</ref> |- | {{lang|uk-latn|{{ill|Radio Promin|uk|Радіо Промінь}}|i=unset}} |- ! scope="row" | {{flagu|United Kingdom}} | [[BBC]] | [[BBC One]] | All shows | <ref>{{Cite web |last=Heap |first=Steven |date=2023-08-27 |title=United Kingdom: BBC Confirms Semi Finals Will Stay on BBC One in 2024 |url=https://eurovoix.com/2023/08/27/bbc-confirms-semi-finals-will-stay-on-bbc-one-in-2024/ |access-date=2023-08-28 |website=Eurovoix |language=en-GB}}</ref><ref>{{Cite press release |date=2023-10-18 |title=United Kingdom participation in the Eurovision Song Contest 2024 is confirmed plus all three live shows will be broadcast on BBC One and iPlayer |url=https://www.bbc.co.uk/mediacentre/2023/eurovision-2024-uk-confirmed/ |access-date=2023-10-18 |publisher=[[BBC]] |language=en}}</ref> |} {| class="wikitable plainrowheaders" |+ Broadcasters and commentators in other countries ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Channel(s) ! scope="col" | Show(s) ! scope="col" | Commentator(s) ! scope="col" | {{Abbr|Ref(s)|Reference(s)}} |- ! scope="row" | {{flagu|Montenegro}} | [[Radio and Television of Montenegro|RTCG]] | rowspan="2" colspan="3" {{TBA}} | <ref>{{Cite web |last=Ibrayeva |first=Laura |date=2024-01-07 |title=Montenegro: RTCG Intends to Broadcast Eurovision & Junior Eurovision 2024 |url=https://eurovoix.com/2024/01/07/montenegro-rtcg-broadcast-eurovision-junior-eurovision-2024/ |access-date=2024-01-07 |website=Eurovoix |language=en}}</ref> |- ! scope="row" | {{flagu|North Macedonia}} | [[Macedonian Radio Television|MRT]] | <ref name="Macedonia1" /><ref name="Macedonia2" /> |} == Incidents == === Israeli participation === {{main|Israel in the Eurovision Song Contest 2024#Calls for exclusion}} <!-- This is a summary, do not extend this with more information than necessary as they're all within the Israel in ESC2024 page, and other relevant country pages. Additionally, do not make edits regarding the war that may violate WP:NPOV -->Since the outbreak of the [[Israel–Hamas war]] on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the [[Gaza humanitarian crisis (2023–present)|humanitarian crisis]] resulting from [[2023 Israeli invasion of the Gaza Strip|Israeli military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 7eef8599960df9e3f2532f7faa939b33c5043b29 53 51 2024-01-22T13:40:56Z Globalvision 2 wikitext text/x-wiki {{Infobox edition|name = Eurovoice|year =2024 |theme = |size =299px |dates = |host =[[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2 <!-- Map Legend Colours --> |Green =Y |Red =|Red2 = |уear = |final =16 May 2024 |venue =[[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Milan|Milan]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =Fabiana Rey<br>ANYA TALYA |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|200x200px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in [[Malmö]], Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Channel(s) ! scope="col" | Show(s) ! scope="col" | Commentator(s) ! scope="col" | {{Abbr|Ref(s)|Reference(s)}} |- ! scope="row" | {{flagu|Australia}} | [[Special Broadcasting Service|SBS]] | [[SBS (Australian TV channel)|SBS]] | All shows | rowspan="5" {{TBA}} | <ref>{{Cite web|last=Knox|first=David|url=https://tvtonight.com.au/2023/10/2024-upfronts-sbs-nitv.html|title=2024 Upfronts: SBS / NITV|work=[[TV Tonight]]|date=2023-10-31|access-date=2023-10-31}}</ref> |- ! scope="row" | {{flagu|France}} | {{lang|fr|[[France Télévisions]]|i=unset}} | [[France 2]] | Final | <ref>{{cite web|url=https://www.france.tv/france-2/eurovision/|title=Eurovision|work=France.tv|publisher=[[France Télévisions]]|language=fr-FR|access-date=2023-11-08|archive-url=https://web.archive.org/web/20231108154720/https://www.france.tv/france-2/eurovision/|archive-date=2023-11-08|url-status=live}}</ref> |- ! scope="row" | {{flagu|Germany}} | [[ARD (broadcaster)|ARD]]/[[Norddeutscher Rundfunk|NDR]] | {{lang|de|[[Das Erste]]|i=unset}} | Final |<ref>{{Cite web|work=[[Süddeutsche Zeitung]]|language=de|title=ARD hält an ESC-Teilnahme fest|trans-title=ARD is sticking to ESC participation|url=https://www.sueddeutsche.de/kultur/musik-ard-haelt-an-esc-teilnahme-fest-dpa.urn-newsml-dpa-com-20090101-230515-99-698691|date=2023-05-15|access-date=2023-05-15}}</ref> |- ! scope="row" | {{flagu|Italy}} | [[RAI]] | [[Rai 1]] | Final | <ref>{{Cite web|title=Claudio Fasulo: 'Più Eurovision su Rai1 nel 2024. Mengoni e la bandiera arcobaleno? Non lo sapevamo'|trans-title=Claudio Fasulo: "More Eurovision on Rai1 in 2024. Mengoni's rainbow flag? We did not know about it"|url=https://www.fanpage.it/spettacolo/eventi/claudio-fasulo-piu-eurovision-su-rai1-nel-2024-mengoni-e-la-bandiera-arcobaleno-non-lo-sapevamo/|date=2023-05-15|access-date=2023-07-15|website=[[Fanpage.it]]|language=it}}</ref> |- ! scope="row" | {{flagu|Luxembourg}} | [[RTL Group|RTL]] | [[RTL (Luxembourgian TV channel)|RTL]] | All shows | <ref>{{Cite web|title=Luxembourg to return to the Eurovision Song Contest in 2024|url=https://eurovision.tv/story/luxembourg-return-eurovision-2024|url-status=live|archive-url=https://web.archive.org/web/20230514012411/https://eurovision.tv/story/luxembourg-return-eurovision-2024|archive-date=14 May 2023|date=12 May 2023|access-date=14 May 2023|website=Eurovision.tv|publisher=EBU}}</ref> |- ! scope="row" |{{flagu|Poland}} | [[Telewizja Polska|TVP]] | {{TBA}} | rowspan="3" {{TBA}} | [[Artur Orzech]] | <ref>{{Cite web |last=Puzyr |first=Małgorzata |date=2024-01-12 |title=Znany prezenter wraca do TVP. Odchodził w atmosferze skandalu |trans-title=Well-known presenter returns to TVP. He left amid scandal |url=https://rozrywka.dorzeczy.pl/film-i-telewizja/536649/artur-orzech-wraca-do-tvp-wiadomo-czym-sie-zajmie.html |access-date=2024-01-12 |website=[[Do Rzeczy|Rozrywka Do Rzeczy]] |language=pl}}</ref> |- ! rowspan="2" scope="rowgroup" | {{flagu|Ukraine}} | rowspan="2" | {{lang|uk-latn|[[Suspilne]]|i=unset}} | {{lang|uk-latn|[[Suspilne Kultura]]|i=unset}} | rowspan="3" {{TBA}} | rowspan="2" | <ref>{{cite web|title=Україна візьме участь у Євробаченні-2024: хто стане музичним продюсером?|trans-title=Ukraine will take part in Eurovision 2024: who will be the music producer?|url=https://eurovision.ua/5331-ukrayina-vizme-uchast-u-yevrobachenni-2024-hto-stane-muzychnym-prodyuserom/|date=2023-08-28|access-date=2023-08-28|website=Eurovision.ua|publisher=Suspilne|language=uk}}</ref> |- | {{lang|uk-latn|{{ill|Radio Promin|uk|Радіо Промінь}}|i=unset}} |- ! scope="row" | {{flagu|United Kingdom}} | [[BBC]] | [[BBC One]] | All shows | <ref>{{Cite web |last=Heap |first=Steven |date=2023-08-27 |title=United Kingdom: BBC Confirms Semi Finals Will Stay on BBC One in 2024 |url=https://eurovoix.com/2023/08/27/bbc-confirms-semi-finals-will-stay-on-bbc-one-in-2024/ |access-date=2023-08-28 |website=Eurovoix |language=en-GB}}</ref><ref>{{Cite press release |date=2023-10-18 |title=United Kingdom participation in the Eurovision Song Contest 2024 is confirmed plus all three live shows will be broadcast on BBC One and iPlayer |url=https://www.bbc.co.uk/mediacentre/2023/eurovision-2024-uk-confirmed/ |access-date=2023-10-18 |publisher=[[BBC]] |language=en}}</ref> |} {| class="wikitable plainrowheaders" |+ Broadcasters and commentators in other countries ! scope="col" | Country ! scope="col" | Broadcaster ! scope="col" | Channel(s) ! scope="col" | Show(s) ! scope="col" | Commentator(s) ! scope="col" | {{Abbr|Ref(s)|Reference(s)}} |- ! scope="row" | {{flagu|Montenegro}} | [[Radio and Television of Montenegro|RTCG]] | rowspan="2" colspan="3" {{TBA}} | <ref>{{Cite web |last=Ibrayeva |first=Laura |date=2024-01-07 |title=Montenegro: RTCG Intends to Broadcast Eurovision & Junior Eurovision 2024 |url=https://eurovoix.com/2024/01/07/montenegro-rtcg-broadcast-eurovision-junior-eurovision-2024/ |access-date=2024-01-07 |website=Eurovoix |language=en}}</ref> |- ! scope="row" | {{flagu|North Macedonia}} | [[Macedonian Radio Television|MRT]] | <ref name="Macedonia1">{{Cite web|last=Jiandani|first=Sanjay|date=2023-12-05|title=North Macedonia: MKRTV confirms non participation at Eurovision 2024|url=https://esctoday.com/191664/north-macedonia-mkrtv-confirms-non-participation-at-eurovision-2024/|access-date=2023-12-06|website=ESCToday|language=en}}</ref><ref name="Macedonia2">{{Cite web|last=Stephenson|first=James|date=2023-12-06|title=North Macedonia: MRT Explains Absence from Eurovision 2024|url=https://eurovoix.com/2023/12/06/north-macedonia-mrt-explains-absence-from-eurovision-2024/|access-date=2023-12-06|website=Eurovoix}}</ref> |} == Incidents == === Israeli participation === {{main|Israel in the Eurovision Song Contest 2024#Calls for exclusion}} <!-- This is a summary, do not extend this with more information than necessary as they're all within the Israel in ESC2024 page, and other relevant country pages. Additionally, do not make edits regarding the war that may violate WP:NPOV -->Since the outbreak of the [[Israel–Hamas war]] on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the [[Gaza humanitarian crisis (2023–present)|humanitarian crisis]] resulting from [[2023 Israeli invasion of the Gaza Strip|Israeli military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 72e17a290f8425fec102bacb921cf48c87e2dc69 54 53 2024-01-22T13:43:14Z Globalvision 2 wikitext text/x-wiki {{Infobox edition|name = Eurovoice|year =2024 |theme = |size =299px |dates = |host =[[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2024 <!-- Map Legend Colours --> |Green =Y |Red =|Red2 = |уear = |final =16 May 2025 |venue =[[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Milan|Milan]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =Fabiana Rey<br>ANYA TALYA |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|200x200px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in [[Malmö]], Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 92369af41ba29522b864ef0b64032caaf2b4abd1 55 54 2024-01-22T13:44:10Z Globalvision 2 wikitext text/x-wiki {{Infobox edition|name = Eurovoice|year =2024 |theme = |size =299px |dates = |host =[[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2025 <!-- Map Legend Colours --> |Green =Y |Red =|Red2 = |уear = |final =16 May 2025 |venue =[[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Milan|Milan]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =Fabiana Rey<br>ANYA TALYA |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|200x200px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in [[Malmö]], Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 4afab615c21b66b0f44046a6a3e05f29f91dcb45 56 55 2024-01-22T13:46:11Z Globalvision 2 wikitext text/x-wiki {{Infobox edition|name = Eurovoice Song Contest|year =2024 |theme = |size =299px |dates = |host =[[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2025 <!-- Map Legend Colours --> |Green =Y |Red =|Red2 = |уear = |final =16 May 2025 |venue =[[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =Fabiana Rey<br>ANYA TALYA |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|200x200px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in [[Malmö]], Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 2baba1d19e94bc8697940212e91e516349ffd078 57 56 2024-01-22T13:49:06Z Globalvision 2 wikitext text/x-wiki {{Infobox edition|name = [[Main Page|Eurovoice Song Contest]]|year =2024 |theme = |size =299px |dates = |host =[[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2025 <!-- Map Legend Colours --> |Green =Y |Red =|Red2 = |уear = |final =16 May 2025 |venue =[[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =Fabiana Rey<br>ANYA TALYA |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|200x200px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in [[Malmö]], Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 9f47632dcf253a26f03308d960e2d03ffd6bf0dc 58 57 2024-01-22T23:53:29Z 179.62.61.168 0 wikitext text/x-wiki {{Infobox edition|name = Eurovoice Song Contest|year =2024 |theme = |size =299px |dates = |host =[[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2025 <!-- Map Legend Colours --> |Green =Y |Red =|Red2 = |уear = |final =16 May 2025 |venue =[[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =Fabiana Rey<br>ANYA TALYA |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|200x200px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in [[Malmö]], Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 2baba1d19e94bc8697940212e91e516349ffd078 61 58 2024-01-23T00:06:18Z Globalvision 2 /* Location */ wikitext text/x-wiki {{Infobox edition|name = Eurovoice Song Contest|year =2024 |theme = |size =299px |dates = |host =[[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2025 <!-- Map Legend Colours --> |Green =Y |Red =|Red2 = |уear = |final =16 May 2025 |venue =[[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =Fabiana Rey<br>ANYA TALYA |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Malmö, Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] e2cc59686c4c010c7d6e072bdceb0d92b4da90fb 65 61 2024-01-23T00:13:52Z Globalvision 2 wikitext text/x-wiki {{Infobox edition|name = Eurovoice Song Contest|year =2024 |theme = |size =299px |dates = |host =[[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2025 <!-- Map Legend Colours --> |Green =Y |Red =|Red2 = |уear = |final =16 May 2024 |venue =[[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters =Fabiana Rey<br>ANYA TALYA |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Malmö, Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 0ccb9fdad4f699a9dfbb494f6ecb22987062558e 68 65 2024-01-23T00:20:53Z Globalvision 2 wikitext text/x-wiki {{Infobox edition|name = |year =2024 |theme = |size =299px |dates = |host =|entries = 20|host country =[[Wikipedia:Milan|Milan, Italy]] |debut = All of the participants|winner =Yet to be announced|logo = Eurovoice 2024.png|nex2 =2025 <!-- Map Legend Colours --> |Green =Y |Red =|Red2 = |уear = |final =16 May 2024 |venue = |vote = Each country/jury awards 12, 10, 8-1 points to their top 10 songs.|return = |withdraw = |presenters = |semi2 = |semi1 = |opening = |Green SA = |Purple = |interval = |semi3= |semi4=|second=|1}} {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2023 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = y | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Malmö, Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 864dd790fc75af4ffa80b265d5f09eae99ac31ad 69 68 2024-01-23T00:21:24Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2023 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = y | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Malmö, Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] c678272bf88af68da9d13baa6860294fcac7375b 74 69 2024-01-23T00:28:12Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = y | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Malmö, Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 25ccd1c9300c060feb125f2356fa99b8448ca2b2 75 74 2024-01-23T00:40:23Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Malmö, Sweden, following the country's victory at the 2023 edition with the song "[[Tattoo (Loreen song)|Tattoo]]", performed by [[Loreen]]. It will be the seventh time Sweden hosts the contest, having previously done so in {{escyr|1975}}, {{escyr|1985}}, {{escyr|1992}}, {{escyr|2000}}, {{escyr|2013}}, and {{escyr|2016}}. The selected venue is the 15,500-seat [[Malmö Arena]], the second largest multi-purpose [[List of indoor arenas|indoor arena]] in Sweden, which serves as a venue for [[handball]] matches, [[floorball]] matches, concerts, and other events, noted for having already hosted the Eurovision Song Contest in 2013.<ref name=":1">{{Cite news |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Malmö får Eurovision 2024 |language=sv |trans-title=Malmö gets Eurovision 2024 |work=[[Aftonbladet]] |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07}}</ref> Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. {{lang|sv|{{ill|Folkets Park, Malmö|lt=Folkets Park|sv|Folkets park, Malmö}}|i=unset}} will be the location of the Eurovision Village, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public.<ref>{{Cite web |last=Adessi |first=Antonio |date=2023-12-13 |title=Eurovision 2024: l'Eurovillage sarà al Folkets Park di Malmö |trans-title=Eurovision 2024: the Eurovision Village will be at Malmö's Folkets Park|url=https://www.eurofestivalnews.com/2023/12/13/eurovision-2024-leurovillage-sara-al-folkets-park-di-malmo/ |access-date=2023-12-14 |website=Eurofestival News |language=it-IT}}</ref> A "Eurovision Street" will also be established between {{lang|sv|Folkets Park|i=unset}} and {{lang|sv|{{ill|Triangeln|sv|Triangeln, Malmö}}|i=unset}}.<ref>{{Cite web |last=Van Dijk |first=Sem Anne |date=2023-12-11 |title=Eurovision 2024: Malmö Announces Eurovision Village Location and Call for Volunteers |work=Eurovoix |url=https://eurovoix.com/2023/12/11/malmo-eurovision-village-volunteers/ |access-date=2023-12-11}}</ref> === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 2d5d8cbb1e88ac748b2d2f438054079bcd845133 90 75 2024-01-23T14:22:56Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille|Parti]] {| class="wikitable plainrowheaders" |+ SVT set a [[Partille|deadline of 12 June 2023 for interested cities to formally apply.☃☃ Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,☃☃☃☃ followed by Malmö and Örnsköldsvik on 13 June.☃☃☃☃ Shortly before the closing of the application period, SVT revealed that it had received several bids,☃☃ later clarifying that they had come from these four cities.☃☃☃☃ Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.☃☃☃☃ On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.☃☃ Later that day, the EBU and SVT announced Malmö as the host city.☃☃☃☃]]Key:[[Partille|☃☃↵☃☃ Host city↵☃☃ Shortlisted↵☃☃ Submitted a bid]]City[[Partille|VenueNotes☃☃]]Eskilstuna[[Stiga Sports Arena]][[Partille|Hosted the Second Chance round of]] [[Stiga Sports Arena|Melodifestivalen]] [[Partille|in]] 2020[[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Gothenburg[[Partille|☃☃^]]ScandinaviumHosted the Eurovision Song Contest 1985[[Partille|. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed.☃☃☃☃☃☃☃☃☃☃☃☃]]JönköpingHusqvarna Garden[[Partille|Hosted the heats of Melodifestivalen in]] 2007[[Partille|. Did not meet the EBU requirements of capacity.☃☃☃☃]]Malmö[[Partille|☃☃†]]Malmö Arena[[Partille|Hosted the]] Eurovision Song Contest 2013[[Partille|.☃☃☃☃]]Örnsköldsvik[[Partille|☃☃^]]Hägglunds Arena[[Partille|Hosted the heats of Melodifestivalen in 2007,]] 2010[[Partille|,]] [[Eurovision Song Contest 2013|2014]][[Partille|,]] [[Eurovision Song Contest 2013|2018]] [[Partille|and the semi-final in]] 2023[[Partille|.☃☃☃☃]][[Örnsköldsvik|Partille]]Partille Arena[[Partille|Hosted]] [[Hägglunds Arena|Eurovision Choir 2019]][[Partille|. Did not meet the EBU requirements of capacity.☃☃]]Sandviken[[Göransson Arena]][[Partille|Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in]] Gävleborg[[Partille|.☃☃☃☃]][[Stockholm]][[Partille|☃☃*]]Friends ArenaHosted all but [[Partille|one final of Melodifestivalen since]] 2013[[Partille|. Preferred venue of the]] Stockholm City Council[[Partille|.☃☃☃☃☃☃☃☃☃☃☃☃]][[Tele2 Arena]][[Partille|—]]''Temporary arena''Proposal set around [[Partille|building a temporary arena in ☃☃, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks.Participating countries☃☃↵Eligibility for participation in the Eurovision Song Contest requires a national broadcaster with an]] active EBU membership [[Partille|capable of receiving the contest via the]] Eurovision network [[Partille|and broadcasting it live nationwide. The EBU issues invitations to participate in the contest to all members.]]On 5 December [[Partille|2023, the EBU announced that at least 37 countries would participate in the 2024 contest. ☃☃ is set to return to the contest 31 years after its last participation in ☃☃, while ☃☃, which had participated in the 2023 contest, was provisionally announced as not participating in 2024,☃☃☃☃ with talks still ongoing between the EBU and Romanian broadcaster]] TVR [[Partille|☃☃; the country has been given until the end of January to definitively confirm its participation in the contest.☃☃☃☃]]Participants of the [[Partille|Eurovision Song Contest 2024☃☃☃☃]]CountryBroadcasterArtistSongLanguageSongwriter(s)[[Partille|☃☃]][[RTSH]][[Besa (singer)|Besa]]"[[Partille|☃☃"]][[Albanian language|Albanian]][[Partille|☃☃☃☃☃☃]][[Public Television Company of Armenia|AMPTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Special Broadcasting Service|SBS]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[ORF (broadcaster)|ORF]][[Kaleen (singer)|Kaleen]]"We Will Rave"[[Partille|☃☃☃☃☃☃☃☃]][[İctimai Television|İTV]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[RTBF]][[Mustii]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[Croatian Radiotelevision|HRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Cyprus Broadcasting Corporation|CyBC]][[Silia Kapsis]]"Liar"[[Partille|☃☃☃☃☃☃]][[Czech Television|ČT]][[Aiko (Czech singer)|Aiko]]"Pedestal[[Partille|"]][[English language|English]][[Partille|☃☃☃☃]][[DR (broadcaster)|DR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Eesti Rahvusringhääling|ERR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Yle]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]][[Slimane (singer)|Slimane]]"[[Partille|☃☃"]][[French language|French]][[Partille|☃☃☃☃]][[Georgian Public Broadcaster|GPB]][[Nutsa Buzaladze]][[Partille|☃☃☃☃☃☃☃☃]][[Norddeutscher Rundfunk|NDR]][[Partille|☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Hellenic Broadcasting Corporation|ERT]][[Marina Satti]][[Partille|☃☃☃☃☃☃☃☃]][[RÚV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTÉ]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Israeli Public Broadcasting Corporation|IPBC]][[Partille|☃☃]]<nowiki/>colspan="3" [[Partille|☃☃☃☃]][[RAI]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Latvijas Televīzija|LTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Lithuanian National Radio and Television|LRT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[RTL Group|RTL]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Public Broadcasting Services|PBS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Teleradio-Moldova|TRM]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[AVROTROS]][[Joost Klein]][[Partille|☃☃]][[Dutch language|Dutch]][[Partille|☃☃☃☃☃☃]][[NRK]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃☃☃☃☃☃☃☃☃]][[Rádio e Televisão de Portugal|RTP]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[San Marino RTV|SMRTV]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radio Television of Serbia|RTS]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Radiotelevizija Slovenija|RTVSLO]][[Raiven]]"Veronika"[[Slovene language|Slovene]][[Partille|☃☃☃☃]][[RTVE]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Sveriges Television|SVT]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[Swiss Broadcasting Corporation|SRG SSR]]<nowiki/>colspan="4" [[Partille|☃☃☃☃☃☃]]<nowiki/>colspan="4" [[Partille|☃☃☃☃]][[BBC]][[Olly Alexander]][[Partille|☃☃☃☃☃☃Other countries☃☃☃☃☃☃Despite previous allocation of funds to participate in the 2024 contest,☃☃ Macedonian broadcaster]] MRT [[Partille|ultimately did not appear on the official list of participants; the broadcaster clarified that this was due to its decision to focus on the celebrations for the 80th and 60th anniversaries of the national radio and television, respectively, but that it still intended to broadcast the contest.☃☃☃☃ North Macedonia last took part in ☃☃.☃☃☃☃ Romania was not included in the list of participants published on 5 December, but the EBU revealed that the country was still in talks regarding its 2024 participation.☃☃ Shortly after, Romanian broadcaster]] TVR [[Partille|explained that the payment of the participation fee, and thus the inclusion of Romania in the contest, would depend on the approval of a new budget plan which it had submitted to the]] Ministry of Finance[[Partille|, confirming earlier speculation; the EBU agreed to extend the deadline for the payment accordingly.☃☃☃☃ In mid-January 2024, TVR's director ☃☃ disclosed that the EBU had set the deadline for a final decision by TVR to the end of the month, and that this would be made at a board meeting held on 25 January.☃☃☃☃]]Active EBU member [[Partille|broadcasters in ☃☃, ☃☃, ☃☃ and ☃☃ confirmed non-participation prior to the announcement of the participants list by the EBU.☃☃☃☃☃☃☃☃Production]]The Eurovision Song [[Partille|Contest 2024 will be produced by the Swedish national broadcaster ☃☃ (SVT). The core team will consist of Ebba Adielsson as executive producer, ☃☃ as deputy executive producer, Tobias Åberg as executive in charge of production, Johan Bernhagen as executive line producer,]] Christer Björkman [[Partille|as contest producer, and ☃☃ as TV producer. Additional production personnel will include head of production David Wessén, head of legal Mats Lindgren, head of media Madeleine Sinding-Larsen, and executive assistant Linnea Lopez.☃☃☃☃☃☃]] Edward af Sillén [[Partille|and ☃☃ will write the script for the live shows' hosting segments and the opening and interval acts.☃☃ A majority of the production personnel for 2024 have previously worked in the previous three editions of the contest held in Sweden: ☃☃, 2013 and 2016.]][[Malmö Municipality]] [[Partille|will contribute ☃☃ (approximately ☃☃) to the budget of the contest.☃☃☃☃Slogan and visual design]]On 14 November [[Partille|2023, the EBU announced that "United by Music", the slogan of the 2023 contest, would be retained for 2024 and future editions.☃☃ The accompanying theme art for 2024, named "The Eurovision Lights", was unveiled on 14 December. Designed by Stockholm-based agencies Uncut and Bold Scandinavia, it is based on simple, linear gradients inspired by vertical lines found on]] auroras [[Partille|and]] sound equalisers[[Partille|, and was built with adaptability across different formats taken into account.☃☃☃☃☃☃Stage design]]The stage design [[Partille|for the 2024 contest was unveiled on 19 December 2023. It was devised by German]] Florian Wieder[[Partille|, the same stage designer for the 2011–12, 2015, 2017–19, and 2021 contests, with Swede Fredrik Stormby designing lighting and screen content. It features movable]] LED [[Partille|cubes and floors along with other lighting, video and stagecraft technology, all set around a cross-shaped centre, with the aim of "creating a unique 360-degree experience" for viewers.☃☃FormatSemi-final allocation draw]]The draw to [[Partille|determine the participating countries' semi-finals, also simply referred to as "The Draw" in official branding, will take place on 30 January 2024 at 19:00]] CET[[Partille|.☃☃ The semi-finalists are divided over a number of pots, based on historical voting patterns, with the purpose of reducing the chance of]] bloc voting [[Partille|and to increase suspense in the semi-finals.☃☃ The draw also determines which semi-final each of the six automatic qualifiers☃☃host country ☃☃ and "]]Big Five[[Partille|" countries (☃☃, ☃☃, ☃☃, ☃☃ and the ☃☃)☃☃will vote in and be required to broadcast. The ceremony will be hosted by]] Pernilla Månsson Colt [[Partille|and]] Farah Abadi[[Partille|, and is expected to include the passing of the]] host city insignia [[Partille|from the mayor (or equivalent role) of previous host city]] Liverpool [[Partille|to the one of Malmö☃☃.☃☃☃☃☃☃Proposed changes]]A number of [[Partille|changes to the format of the contest have been proposed and/or considered for the 2024 edition. The first discussions on the matter took place at the annual Eurovision Song Contest Workshop, held at the ☃☃ in]] Berlin[[Partille|, Germany, on 12 September 2023. Decisions as to whether and what changes will be applied are up to the contest's reference group.☃☃☃☃ The rules of the 2024 contest were published on 1 November 2023; no notable changes were made compared to the previous edition.☃☃ Host broadcaster SVT is also evaluating reducing the runtime of the final by approximately an hour, as it has significantly increased since the introduction of features such as the opening flag parade in 2013 and the split jury/televote system in 2016.☃☃Voting system and rules☃☃↵After the outcome of the 2023 contest, which saw ☃☃ win despite ☃☃'s lead in the televoting,]] [[List of Eurovision Song Contest host cities#Host city insignia|sparked controversy]] [[Partille|among the audience, Norwegian broadcaster]] NRK [[Partille|started talks with the EBU regarding a potential revision of the jury voting procedure; it has been noted that Norwegian entries in recent years have also been penalised by the juries, particularly in ☃☃ and ☃☃, when the country finished in sixth and fifth place overall, respectively, despite coming first in 2019 and third in 2023 with the televote.☃☃ In an interview, the Norwegian head of delegation ☃☃ discussed the idea of reducing the jury's weight on the final score from the current 49.4% to 40% or 30%.☃☃☃☃ Any changes to the voting system are expected to be officially announced in January 2024.☃☃]]At the Edinburgh TV Festival [[Partille|in August 2023, the EBU's deputy director-general Jean-Philip de Tender discussed the possibility of banning]] AI[[Partille|-generated content from the contest in order to preserve human contribution, maintaining that "creativity should come from humans and not from machines".☃☃ On 27 November 2023, Sammarinese broadcaster]] SMRTV [[Partille|launched]] a collaboration with London-based AI startup Casperaki [[Partille|as part of its national selection process for 2024, openly allowing entries to be created with the help of artificial intelligence.☃☃ Artificial intelligence also contributed to the composition of one of the selected competing entries in the Norwegian national final ☃☃, revealed on 5 January 2024.☃☃]]In late September [[Partille|2023,]] Carolina Norén[[Partille|, ☃☃'s commentator for the contest, revealed that she had resumed talks with executive supervisor]] Martin Österdahl [[Partille|concerning the qualification system; Norén suggested reviewing the rule whereby the "Big Five" countries directly qualify for the final, proposing to restrict it to only the previous winner and host country, and to require the "Big Five" to compete in the semi-finals.☃☃Broadcasts]]All participating broadcasters [[Partille|may choose to have on-site or remote commentators providing insight and voting information to their local audience. While they must broadcast at least the semi-final they are voting in and the final, most broadcasters air all three shows with different programming plans. In addition, some non-participating broadcasters air the contest. The Eurovision Song Contest]] YouTube [[Partille|channel provides international live streams with no commentary of all shows.]]The following are [[Partille|the broadcasters that have confirmed in whole or in part their broadcasting plans:]]Broadcasters and commentators [[Partille|in participating countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Special Broadcasting Service|SBS]][[SBS (Australian TV channel)|SBS]]All showsrowspan="5" [[Partille|☃☃☃☃☃☃☃☃]][[France 2]]Final[[Partille|☃☃☃☃]][[ARD (broadcaster)|ARD]][[Partille|/]]NDR[[Partille|☃☃]]Final[[Partille|☃☃☃☃]][[RAI]][[Rai 1]]Final[[Partille|☃☃☃☃]][[RTL Group|RTL]][[RTL (Luxembourgian TV channel)|RTL]]All shows[[Partille|☃☃☃☃]][[Telewizja Polska|TVP]][[Partille|☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃]][[Artur Orzech]][[Partille|☃☃☃☃☃☃☃☃]]<nowiki/>rowspan="3" [[Partille|☃☃☃☃☃☃☃☃]][[BBC]][[BBC One]]All shows[[Partille|☃☃☃☃]]Broadcasters and commentators [[Partille|in other countries]]CountryBroadcasterChannel(s)Show(s)Commentator(s)[[Partille|☃☃☃☃]][[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" [[Partille|☃☃☃☃☃☃]][[Macedonian Radio Television|MRT]][[Partille|☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the]] Israel–Hamas war [[Partille|on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the]] humanitarian crisis [[Partille|resulting from]] Israeli military operations in the Gaza Strip[[Partille|;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.]]In November 2023,ipating countries |}Show(s)Commentator(s)☃☃☃☃SBS[[SBS (Australian TV channel)|SBS]]All showsrowspan="5" ☃☃☃☃☃☃☃☃France 2Final☃☃☃☃ARD/NDR☃☃Final☃☃☃☃RAIRai 1Final☃☃☃☃RTLRTLAll shows☃☃☃☃[[Telewizja Polska|TVP]]☃☃rowspan="3" ☃☃[[Artur Orzech]]☃☃☃☃☃☃☃☃rowspan="3" ☃☃☃☃☃☃☃☃[[BBC]][[BBC One]]All shows☃☃☃☃Broadcasters and commentators in other countriesCountryBroadcasterChannel(s)Show(s)Commentator(s)☃☃☃☃[[Radio and Television of Montenegro|RTCG]]<nowiki/>rowspan="2" colspan="3" ☃☃☃☃☃☃[[Macedonian Radio Television|MRT]]☃☃☃☃IncidentsIsraeli participation☃☃↵☃☃Since the outbreak of the Israel–Hamas war on 7 October 2023, increasing calls have been made for Israel to be excluded from the contest on the grounds of the humanitarian crisis resulting from Israeli military operations in the Gaza Strip;☃☃ this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,☃☃ Iceland☃☃ and Norway,☃☃ demanding that they withdraw or pressure the EBU to exclude Israel. ☃☃ no broadcaster has indicated its opposition to the country's participation.In November 2023,[[2023 Israeli invasion of the Gaza Strip|li military operations in the Gaza Strip]];<ref name=":7">{{Cite web |last=Asido |first=Shahar |date=2023-11-19 |title=מה יעלה בגורלה של ישראל באירוויזיון? |trans-title=What will happen to Israel in Eurovision? |url=https://www.euromix.co.il/2023/11/19/מה-יעלה-בגורלה-של-ישראל-באירוויזיון/ |access-date=2023-11-20 |website=EuroMix |language=he-IL}}</ref> this has included protests and petitions directed at national broadcasters in a number of participating countries, notably in Finland,<ref>{{Cite web |last=Vanha-Majamaa |first=Anton |date=2024-01-16 |title=Muusikot jättivät Ylelle vetoomuksen, jossa he vaativat Euroviisuihin Israel-boikottia |trans-title=The musicians submitted a petition to Yle in which they demanded a boycott of Israel in Eurovision |url=https://yle.fi/a/74-20069650 |access-date=2024-01-17 |website=yle.fi |publisher=[[Yle]] |language=fi}}</ref> Iceland<ref>{{Cite web |last=Kristjánsson |first=Alexander |last2=Signýjardóttir |first2=Ástrós |date=2023-12-18 |title=Útvarpsstjóri tók við 9.000 undirskriftum um sniðgöngu í Eurovision |trans-title=A radio host received 9,000 signatures to boycott Eurovision |url=https://www.ruv.is/frettir/innlent/2023-12-18-utvarpsstjori-tok-vid-9000-undirskriftum-um-snidgongu-i-eurovision-399909/ |access-date=2023-12-24 |website=ruv.is |publisher=[[RÚV]] |language=is}}</ref> and Norway,<ref>{{Cite web |last=Edland |first=Gyrid Friis |last2=Visker |first2=Nora |last3=Christensen |first3=Siri B. |last4=Hoen |first4=Espen Sjølingstad |date=2024-01-05 |title=Demonstrasjon utenfor NRK før MGP-slipp: Ingen sier noe |trans-title=Demonstration outside NRK before release of MGP artists: "Nobody says anything" |url=https://www.vg.no/i/zEm4r9 |access-date=2024-01-08 |website=[[Verdens Gang|VG]] |language=nb}}</ref> demanding that they withdraw or pressure the EBU to exclude Israel. {{as of|2024|01|post=,}} no broadcaster has indicated its opposition to the country's participation. In November 2023, the production team at SVT stated its intention to increase security measures and to keep in contact with Malmö's police authority during the contest, citing the risk of potential terrorist attacks as a spillover of the war.<ref>{{Cite web |last=Andersson |first=Rafaell |date=2023-11-06 |title=Eurovision 2024: The Safety Of The Contest Under Discussion |url=https://eurovoix.com/2023/11/06/eurovision-2024-the-safety-of-the-contest-under-discussion/ |access-date=2023-12-23 |website=Eurovoix |language=en-GB}}</ref><!-- *TO BE UPDATED* A number of national selection events were disrupted by activists calling for a boycott of Israeli participation in the lead-up to the contest, beginning with the first semi-final of the Norwegian selection {{lang|no|Melodi Grand Prix}}. --> == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 12091e2cc8e259996539ba29e4d256c4c3c0837a 91 90 2024-01-23T14:24:26Z Globalvision 2 /* Bidding phase */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! scope="col" | City ! scope="col" | Venue ! scope="col" | Notes ! scope="col" | {{Abbr|Ref(s).|Reference(s)}} |- ! scope="row" | [[Eskilstuna]] | [[Stiga Sports Arena]] | Hosted the Second Chance round of [[Melodifestivalen]] in [[Melodifestivalen 2020|2020]]. Did not meet the EBU requirements of capacity. | <ref>{{cite newspaper |date=17 May 2023 |title=När Stockholm sviker – Eskilstuna välkomnar Eurovision |language=sv |trans-title=If Stockholm fails, Eskilstuna welcomes Eurovision |work=[[Eskilstuna-Kuriren]] |url=https://ekuriren.se/bli-prenumerant/artikel/r4047voj/ek-2m2kr_s_22 |url-access=subscription |access-date=18 May 2023}}</ref> |-style="background:#F2E0CE" ! scope="row" style="background:#F2E0CE" | [[Gothenburg]]{{nbs}}^ | [[Scandinavium]] | Hosted the [[Eurovision Song Contest 1985]]. Roof needed adjustments for the lighting equipment. Set for demolition after the construction of a new sports facility nearby is completed. | <ref name="Gothenburg"/><ref name="Shortlist"/><ref>{{cite AV media |date=2023-05-15 |last=Andersson |first=Hasse |title=Toppolitikern öppnar famnen för Eurovision 2024 – men inte plånboken |trans-title=Top politician opens his arms for Eurovision 2024 – but not his wallet |url=https://sverigesradio.se/artikel/toppolitikern-oppnar-famnen-for-eurovision-2024-men-inte-planboken |access-date=2023-05-16 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite AV media |date=2023-05-15 |last=Hansson |first=Lovisa |title=Got Event satsar för att anordna Eurovision: "Vill välkomna Europa" |trans-title=Got Event invests in organizing Eurovision: "Want to welcome Europe" |url=https://sverigesradio.se/artikel/got-event-satsar-for-att-anordna-eurovision-vill-valkomna-europa |access-date=2023-05-16 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite newspaper |date=16 May 2023 |last=Karlsson |first=Samuel |title=Här vill politikerna bygga nya Scandinavium |trans-title=Here is where politicians want to build the new Scandinavium |url=https://www.byggvarlden.se/har-uppfors-nya-scandinavium/ |work=Byggvärlden |language=sv |access-date=21 May 2023}}</ref><ref>{{cite web |title=The World of Hans Zimmer – A new dimension på Scandinavium |trans-title=The World of Hans Zimmer – A new dimension at Scandinavium |url=https://gotevent.se/evenemang/the-world-of-hans-zimmer/ |work=[[Got Event]] |language=sv |access-date=2 July 2023}}</ref> |- ! scope="row" | [[Jönköping]] | [[Husqvarna Garden]] | Hosted the heats of Melodifestivalen in [[Melodifestivalen 2007|2007]]. Did not meet the EBU requirements of capacity. | <ref>{{cite AV media |last1=Ahlqvist |first1=Carin |last2=Carlwe |first2=Ida |date=2023-05-15 |title=Hon vill att Eurovision arrangeras i Jönköping: "Stora event är vi ju vana vid" |trans-title=She wants Eurovision to be staged in Jönköping: "We're used to big events" |url=https://sverigesradio.se/artikel/hon-vill-att-eurovision-arrangeras-i-jonkoping-stora-event-ar-vi-ju-vana-vid |access-date=2023-05-20 |publisher=Sveriges Radio |language=sv}}</ref><ref>{{cite AV media |last1=Hermansson |first=Sanna |date=2023-05-24 |title=Jönköping med i striden om Eurovision: "Viktigt att vi vågar sticka ut" |trans-title=Jönköping in the battle for Eurovision: "It's important that we dare to stand out" |url=https://sverigesradio.se/artikel/jonkoping-med-i-striden-om-eurovision-viktigt-att-vi-vagar-sticka-ut |access-date=2023-05-26 |publisher=Sveriges Radio |language=sv}}</ref> |-style="background:#CEDFF2" ! scope="row" style="background:#CEDFF2" | '''[[Malmö]]'''{{nbs}}† | '''[[Malmö Arena]]''' | Hosted the [[Eurovision Song Contest 2013]]. | <ref>{{cite news |last=Gillberg |first=Jonas |date=15 May 2023 |title=Malmö inväntar SVT om ESC-finalen: 'Vi vill alltid ha stora evenemang' |language=sv |trans-title=Malmö awaits SVT about the ESC final: "We always want big events" |work=[[Sydsvenskan]] |url=https://www.sydsvenskan.se/2023-05-15/malmo-invantar-svt-om-esc-finalen-vi-vill-alltid-ha-stora-evenemang |url-access=subscription}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-05-15 |title=Eurovision 2024: Malmö Prepared to Bid to Host Eurovision |url=https://eurovoix.com/2023/05/15/malmo-prepared-to-bid-to-host-eurovision-2024/ |access-date=2023-05-16 |website=Eurovoix }}</ref> |-style="background:#F2E0CE" ! scope="row" style="background:#F2E0CE" | [[Örnsköldsvik]]{{nbs}}^ | [[Hägglunds Arena]] | Hosted the heats of Melodifestivalen in 2007, [[Melodifestivalen 2010|2010]], [[Melodifestivalen 2014|2014]], [[Melodifestivalen 2018|2018]] and the semi-final in [[Melodifestivalen 2023|2023]]. | <ref name="Shortlist" /><ref>{{cite web |last=Åsgård |first=Samuel |date=15 May 2023 |access-date=16 May 2023 |title=Norrlandskommunen vill ha Eurovision - 'Skulle ge en annan bild av Sverige' |trans-title=Norrlandskommunen wants Eurovision - "Would give a different image of Sweden" |url=https://www.dagenssamhalle.se/offentlig-ekonomi/kommunal-ekonomi/norrlandskommunen-vill-ha-eurovision---skulle-ge-en-annan-bild-av-sverige/ |work=Dagens Samhälle |language=sv |url-access=subscription}}</ref> |- ! scope="row" | [[Partille]] | [[Partille Arena]] | Hosted [[Eurovision Choir 2019]]. Did not meet the EBU requirements of capacity. | <ref>{{cite newspaper |date= |title=Partille öppnar för Eurovision Song Contest 2024: Vi kan arrangera finalen |language=sv |trans-title=Partille opens to the Eurovision Song Contest 2024: We can organise the final |work=Partille Tidning |url=https://www.partilletidning.se/nyheter/partille-oppnar-for-eurovision-song-contest-2024-vi-kan-arrangera-finalen.a7fcd2b1-c4ad-418f-b401-6ec56ccc80d7 |url-access=subscription |access-date=20 May 2023}}</ref> |- ! scope="row" | [[Sandviken]] | [[Göransson Arena]] | Hosted the heats of Melodifestivalen in 2010. Plans included the cooperation of other municipalities in [[Gävleborg]]. | <ref>{{Cite web |last=Van Waarden |first=Franciska |date=2023-05-22 |title=Eurovision 2024: Sandviken City Council to Examine a Potential Hosting Bid |url=https://eurovoix.com/2023/05/22/eurovision-2024-sandviken-potential-hosting-bid/ |access-date=2023-05-22 |website=Eurovoix }}</ref><ref>{{cite news |last=Jansson |first=Arvid |date=2023-05-21 |url=https://www.svt.se/nyheter/lokalt/gavleborg/sandvikens-kommun-vill-ta-eurovision-song-contest-till-goransson-arena |title=Sandvikens kommun vill ta Eurovision Song Contest till Göransson Arena |language=sv |trans-title=Sandviken Municipality wants to take the Eurovision Song Contest to the Göransson Arena |work=SVT Nyheter |publisher=SVT |access-date=2023-05-23}}</ref> |- style="background:#D0F0C0" ! rowspan="3" scope="rowgroup" style="background:#D0F0C0" | [[Stockholm]]{{nbs}}* | [[Friends Arena]] | Hosted all but one final of Melodifestivalen since [[Melodifestivalen 2013|2013]]. Preferred venue of the [[Stockholm City Council]]. | rowspan="3" |<ref>{{Cite web |last=Washak |first=James |date=2023-05-16 |title=Eurovision 2024: Stockholm's Aim is for the Friends Arena to Host the Contest |url=https://eurovoix.com/2023/05/16/eurovision-2024-stockholm-friends-arena-venue/ |access-date=2023-05-16 |website=Eurovoix}}</ref><ref>{{cite web|url=https://escxtra.com/2023/06/20/may-18th-ruled-possible-grand-final/|title=May 18th ruled out as possible Grand Final date in Stockholms Friends Arena|last=Rössing|first=Dominik|website=ESCXTRA|date=20 June 2023|access-date=20 June 2023}}</ref><ref>{{cite news|url=https://www.aftonbladet.se/nojesbladet/a/rlOxbe/taylor-swift-gor-en-extra-konsert-i-stockholm|title=Taylor Swift gör en extra konsert i Stockholm|trans-title=Taylor Swift to hold an extra concert in Stockholm|work=Aftonbladet|language=sv|date=29 June 2023|access-date=29 June 2023}}</ref><ref>{{cite web|last=Silva|first=Emanuel|date=2023-06-20|url=https://www.aftonbladet.se/nojesbladet/a/dwaJLJ/uppgifter-stockholm-vill-bygga-ny-arena-for-eurovision|title=Uppgifter: Stockholm vill bygga ny arena för Eurovision|trans-title=Details: Stockholm wants to build a new arena for Eurovision|work=Aftonbladet|language=sv|access-date=2023-06-20}}</ref><ref>{{Cite web |last=Conte |first=Davide |date=2023-06-21 |title= Eurovision 2024: Stockholm's Bid Based On New Temporary Arena |url=https://eurovoix.com/2023/06/21/eurovision-2024-stockholms-bid-temporary-arena/ |access-date=2023-06-21 |website=Eurovoix }}</ref><ref>{{Cite web |last1=Haimi |first1=Elina |last2=Saveland |first2=Amanda |date=2023-06-20 |title=Stockholm vill bygga ny arena för Eurovision nästa år |trans-title=Stockholm wants to build a new arena for Eurovision next year |url=https://www.dn.se/kultur/stockholm-vill-bygga-ny-arena-for-eurovision-nasta-ar/ |access-date=2023-06-21 |website=[[Dagens Nyheter]] |language=sv}}</ref> |- style="background:#D0F0C0" | [[Tele2 Arena]] | — |- style="background:#D0F0C0" | ''Temporary arena'' | Proposal set around building a temporary arena in {{ill|Frihamnen, Stockholm|lt=Frihamnen|sv}}, motivated by the production needs of the contest and difficulties in finding vacant venues during the required weeks. |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 61f30cc917eea854dde8fce73a5b8c999faa19ab 92 91 2024-01-23T14:29:11Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid Here is a table summarizing possible host city bids for Eurovoice Song Contest 2024 in Italy: {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |- ! Florence | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |- ! Milan | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |- ! Naples | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |- ! Rome | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |- ! Turin | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 3af9dd9155673522df9ef02381eb79ad4d3ce351 93 92 2024-01-23T14:32:13Z Globalvision 2 /* Bidding phase */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid Here is a table summarizing possible host city bids for Eurovoice Song Contest 2024 in Italy: Here is the Eurovoice 2024 host city bid table with color coding: {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |- ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |- ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |- ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |- ! Rome\* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |- ! Turin^ | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 9e9922865675a3d89a959a69cd599ee2ee9bc5f2 94 93 2024-01-23T14:34:10Z Globalvision 2 /* Bidding phase */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#F2E0CE" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 01d6314b0aa90b7d89b244098b60cf5ee4868922 96 94 2024-01-23T16:32:27Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#F2E0CE" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) |- | [[File:Flag_of_France.svg|20px|border]] [[France]]|| || || |- | [[File:Flag_of_Germany.svg|20px|border]] [[Germany]]|| Ayliva || [https://open.spotify.com/track/52Y1KkbSO4LI9MTCvZhP9Y?si=4011f50155ad4233 "Scheine Zählen"] || German |- | [[File:Flag_of_Italy.svg|20px|border]] [[Italy]]|| Alisha || [https://open.spotify.com/track/0A4EsvOAQUcKj032AGicnK?si=636abc1c75274542 "Iconica"] || Italian |- | [[File:Flag of Spain.svg|20px|border]] [[Spain]]|| Ani Queen || [https://open.spotify.com/track/2ATRZlJRA7oT5JRLN3JD9w?si=f0a2079092564af0 "Lujuria"] || Spanish |- | [[File:Flag of Sweden.svg|20px|border]] [[Sweden]]|| Nadia Tehran || [https://open.spotify.com/track/1cRRyFLqdaNLZB9DmvPqwo?si=ac1e3944227d4654 "Cash Flow"] || English |- | {{United Kingdom}} || Tayce || [https://open.spotify.com/track/35aVxkV8QUcInrlW1Emz2x?si=db238e392cb64524 "Swagzilla"] || English |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 52bd5abdd6bd9f2a3a9ab23482988ca621e5d744 97 96 2024-01-23T16:34:52Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#F2E0CE" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == {| class="wikitable sortable" |- ! Draw !! Country !! Artist !! Song !! Language(s) |- | 01 || {{France}} || || || |- | 02 || {{Germany}}|| || || |- | 03 || {{Italy}} || || || |- | 04 || {{Spain}} || || || |- | 05 || {{Sweden}} || || || |- | 06 || {{United Kingdom}} || || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 07fc5922d0989ea9b9a7901890736e2a0653f6ef 98 97 2024-01-23T16:38:21Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#F2E0CE" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Draw !! Country !! Artist !! Song !! Language(s) |- | 01 || {{France}} || || || |- | 02 || {{Germany}}|| || || |- | 03 || {{Italy}} || || || |- | 04 || {{Spain}} || || || |- | 05 || {{Sweden}} || || || |- | 06 || {{United Kingdom}} || || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 037b272afa22bef02d24003184855bf438bcdde2 99 98 2024-01-23T16:41:54Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#F2E0CE" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Draw !! Country !! Artist !! Song !! Language(s) |- | 01 || {{Austria}} || || || |- | 02 || {{Belgium}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | 03 || {{Italy}} || || || |- | 04 || {{Spain}} || || || |- | 05 || {{Sweden}} || || || |- | 06 || {{United Kingdom}} || || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 8fd96b1fc74b43489092b73455a1cf0718985de1 100 99 2024-01-23T16:44:00Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#F2E0CE" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Draw !! Country !! Artist !! Song !! Language(s) |- | 01 || {{Austria}} || || || |- | 02 || {{Belgium}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | 03 || {{Croatia}} || || || |- | 04 || {{Denmark}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | 05 || {{Sweden}} || || || |- | 06 || {{United Kingdom}} || || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] f3c963df80f21ab819290f98b7133021db26a17c Template:Snd 10 43 52 2024-01-22T13:39:42Z Globalvision 2 Created page with "&nbsp;&ndash;&#32;<noinclude>" wikitext text/x-wiki &nbsp;&ndash;&#32;<noinclude> eed0ca7a4ad5df4b42a123d91b022478680e82f6 Eurovoice Song Contest 0 44 59 2024-01-22T23:55:08Z 179.62.61.168 0 Redirected page to [[Special:MyLanguage/Main Page]] wikitext text/x-wiki #REDIRECT [[Special:MyLanguage/Main Page|</nowiki>Main Page]] 206eeaa84f58ba8343b7094b1b75a44a4b92e840 Main Page 0 1 60 33 2024-01-23T00:03:39Z Globalvision 2 /* Participation */ wikitext text/x-wiki {{infobox | above = Eurovoice Song Contest | abovestyle = background-color: #ccccff | subheader = | image1 = [[File:Eurovoice Logo.png|250px]] | caption1 = ''Logo used since the first edition.'' | headerstyle = background-color: #ccccff | label2 = Also known as | data2 = EVC | label3 = Genre | data3 = [[Wikipedia:Music competition|Music competition]] | label4 = Created by | data4 = Pan-European Broadcasting Organization | label5 = Based on | data5 = [[Wikipedia:Eurovision Song Contest|Eurovision Song Contestl]] | label6 = Presented by | data6 = Various presenters | label7 = Country of origin | data7 = [[List of countries in Eurovoice|Various participating countries]] | label8 = Original languages | data8 = English | header9 = Production | label10 = Production locations | data10 = [[List of host cities of Eurovoice|Various host cities]] | label11 = Running time | data11 = ~4.5 hours (finals) | label12 = Production company(s) | data12 = Pan-European Broadcasting Organization | header13 = Release | label14 = Picture format | data14 = [[Wikipedia:HDTV|HDTV]] [[Wikipedia:1080i|1080i]] (2022–present) | label15 = Original run | data15 = 12 May 2024 – present |header16 = Related |data27= [[Afrivoice]]<br>[[Asiavoice]] }} '''Eurovoice Song Contest''', often known by its initialism '''EVC''', is an international song competition organised by the Pan-European Broadcasting Organization. Each participating country submits an original song to be performed live and transmitted to national broadcasters via Eurovoice and EuroTV networks, with competing countries then casting votes for the other countries' songs to determine a winner. Based on the Eurovision Song Contest held in Europe since 1956, Eurovoice has been held since 2024. Active members of the EBU (for now) are allowed to compete; as of 2024, 20 countries have participated at least once. Each participating broadcaster sends one original song to be performed live by a singer or group of up to six people aged 16 or older. Each country awards 1–8, 10 and 12 points to their ten favourite songs, based on the views of an assembled group of music professionals and the country's viewing public, with the song receiving the most points declared the winner. Other performances feature alongside the competition, including a specially-commissioned opening and interval act and guest performances by musicians and other personalities. Traditionally held in the country which won the preceding year's event, the contest provides an opportunity to promote the host country and city as a tourist destination. Thousands of spectators attend each year, along with journalists who cover all aspects of the contest, including rehearsals in venue, press conferences with the competing acts, in addition to other related events and performances in the host city. The contest has aired in countries across all continents. Eurovoice ranks among the world's most watched non-sporting events every year, with hundreds of millions of viewers globally. Performing at the contest has often provided artists with a local career boost and in some cases long-lasting international success. Several of the best-selling music artists in the world have competed in past editions. While having gained popularity with the viewing public in both participating and non-participating countries, the contest has also been the subject of criticism for its artistic quality as well as a perceived political aspect to the event. Concerns have been raised regarding political friendships and rivalries between countries potentially having an impact on the results. Controversial moments have included participating countries withdrawing at a late stage, censorship of broadcast segments by broadcasters, as well as political events impacting participation. Likewise, the contest has also been criticised for an over-abundance of elaborate stage shows at the cost of artistic merit. The Song has, however, gained popularity for its kitsch appeal, its musical span of ethnic and international styles, as well as emergence as part of LGBT culture, resulting in a large, active fanbase and an influence on popular culture. The popularity of the contest has led to the creation of several similar events, either organised by the PEBO or created by external organisations; several special events have been organised by the PEBO to celebrate select anniversaries or as a replacement due to cancellation. ==History== On 16th May 2024, Electra, executive supervisor of the Pan-European Broadcasting Organization decided to open an international music contest, in that every full member of the EBU can take part by sending artists representing their countries with songs. It was called ''Eurovoice Song Contest.'' __TOC__ The first ever "Eurovoice" was on 2024. It was held in Milan, Italy, the first ever country to host The Song. Twenty nations took part in the [[Eurovoice 2024|first edition]], each submitting one entry to the contest. Each country awarded 12 points to their favourite, 10 points to their second favourite and then 8-1 points for the remainder of their Top 10. ==Participation== Eligibility to participate in the contest is for now limited to countries in Europe, as several states geographically outside the boundaries of the continent or which span more than one continent are not included yet in the Broadcasting Area. C PEBO members who wish to participate must fulfil conditions as laid down in the rules of the contest, a separate copy of which is drafted annually. Broadcasters must have paid the PEBO a participation fee in advance to the deadline specified in the rules for the year in which they wish to participate; this fee is different for each country based on its size and viewership. Twenty countries have participated at least once. These are listed here alongside the year in which they made their debut: {| |- style="vertical-align:top" | {| class="wikitable" style="font-size:94%" |- ! scope="col" |Edition ! scope="col" |Country making its debut entry |- ! rowspan="20" scope="row" style="vertical-align:top center;" |[[Eurovoice 2024|2024]] |{{Austria}} |- |{{Belgium}} |- |{{Croatia}} |- |{{Denmark}} |- |{{Finland}} |- |{{France}} |- |{{Germany}} |- |{{Greece}} |- |{{Iceland}} |- |{{Ireland}} |- |{{Italy}} |- |{{Luxembourg}} |- |{{Netherlands}} |- |{{Norway}} |- |{{Poland}} |- |{{Portugal}} |- |{{Spain}} |- |{{Sweden}} |- |{{Switzerland}} |- |{{United Kingdom}} |} | |} == Format == Since the very first edition the winning country of each edition is automatically chosen to be the host of the next edition. As the host broadcaster, the heads of delegation can decide how and when they want to host the competition, make a theme song and other things. However if a broadcaster cannot afford to host the competition, the runner-up or the PEBO council will help out. The show would still be hosted in the winning country. ==Hosting== {{Hatnote|Further information: [[List of host cities of Eurovoice]]}} The winning country traditionally hosts the following year's event, with [[List of host cities of Eurovoice|some exceptions]] since 2026. Hosting the contest can be seen as a unique opportunity for promoting the host country as a tourist destination and can provide benefits to the local economy and tourism sectors of the host city. Preparations for each year's contest typically begin at the conclusion of the previous year's contest, with the winning country's head of delegation receiving a welcome package of information related to hosting the contest at the winner's press conference. The Song is a non-profit event, and financing is typically achieved through a fee from each participating broadcaster, contributions from the host broadcaster and the host city, and commercial revenues from sponsorships, ticket sales, televoting and merchandise. The host broadcaster will subsequently select a host city, typically a national or regional capital city, which must meet certain criteria set out in the contest's rules. The host venue must be able to accommodate at least 10,000 spectators, a press centre for 1,500 journalists, should be within easy reach of an international airport and with hotel accommodation available for at least 2,000 delegates, journalists and spectators. A variety of different venues have been used for past editions, from small theatres and television studios to large arenas and stadiums. === Preparations === Preparations in the host venue typically begin approximately six weeks before the final, to accommodate building works and technical rehearsals before the arrival of the competing artists. Delegations will typically arrive in the host city two to three weeks before the live show, and each participating broadcaster nominates a head of delegation, responsible for coordinating the movements of their delegation and being that country's representative to the PEBO. Members of each country's delegation include performers, composers, lyricists, members of the press, and—in the years where a live orchestra was present—a conductor. Present if desired is a commentator, who provides commentary of the event for their country's radio and/or television feed in their country's own language in dedicated booths situated around the back of the arena behind the audience. Each country conducts two individual rehearsals behind closed doors, the first for 30 minutes and the second for 20 minutes. Individual rehearsals for the semi-finalists commence the week before the live shows, with countries typically rehearsing in the order in which they will perform during the contest; rehearsals for the host country and the "Big Five" automatic finalists are held towards the end of the week. Following rehearsals, delegations meet with the show's production team to review footage of the rehearsal and raise any special requirements or changes. "Meet and greet" sessions with accredited fans and press are held during these rehearsal weeks. Each live show is preceded by three dress rehearsals, where the whole show is run in the same way as it will be presented on TV. The second dress rehearsal, alternatively called the "jury show" and held the night before the broadcast, is used as a recorded back-up in case of technological failure, and performances during this show are used by each country's professional jury to determine their votes. The delegations from the qualifying countries in each semi-final attend a qualifiers' press conference after their respective semi-final, and the winning delegation attends a winners' press conference following the final. A welcome reception is typically held at a venue in the host city on the Sunday preceding the live shows, which includes a [[Wikipedia:Red carpet|red carpet]] ceremony for all the participating countries and is usually broadcast online. Accredited delegates, press and fans have access to an official nightclub, the "VoiceClub", and some delegations will hold their own parties. The "VoiceVillage" is an official fan zone open to the public free of charge, with live performances by the contest's artists and screenings of the live shows on big screens. ==Rules== ===Song eligibility and languages=== All competing songs must have a recap with a duration of 30 seconds. This rule applies only to the version performed during the live shows. In order to be considered eligible, competing songs in a given year's contest must not have been released commercially before September of the last year. All competing entries must include vocals and lyrics of some kind and purely instrumental pieces are not allowed. Competing entries may be performed in any language, be that natural or constructed, and participating broadcasters are free to decide the language in which their entry may be performed. ===Running order=== Since the first edition, the order in which the competing countries perform has been determined by the contest's producers, and submitted to the PEBO Executive Supervisor and Reference Group for approval before public announcement. ===[[Voting at Eurovoice|Voting]]=== Each country awards one sets of points: based on the votes of each country's professional jury. Each set of points consists of 1–8, 10 and 12 points to the jury and public's ten favourite songs, with the most preferred song receiving 12 points. Should two or more countries finish with the same number of points, a tie-break procedure is employed to determine the final placings. The country which has obtained points from the most countries following this calculation is deemed to have placed higher. ===Winners=== {{Hatnote|Further information: [[List of Eurovoice winners]]}} {| class="sortable wikitable" width="900px" |- !{{Abbr|Edn.|Edition}} !Country !Performer !Song !Points |- ![[Eurovoice 2024|2024]] | | | | style="text-align:center;" | |} <references /> ce4a9d2be0cae984e5dba2223afaea4deb519483 84 60 2024-01-23T03:13:14Z Globalvision 2 /* History */ wikitext text/x-wiki {{infobox | above = Eurovoice Song Contest | abovestyle = background-color: #ccccff | subheader = | image1 = [[File:Eurovoice Logo.png|250px]] | caption1 = ''Logo used since the first edition.'' | headerstyle = background-color: #ccccff | label2 = Also known as | data2 = EVC | label3 = Genre | data3 = [[Wikipedia:Music competition|Music competition]] | label4 = Created by | data4 = Pan-European Broadcasting Organization | label5 = Based on | data5 = [[Wikipedia:Eurovision Song Contest|Eurovision Song Contestl]] | label6 = Presented by | data6 = Various presenters | label7 = Country of origin | data7 = [[List of countries in Eurovoice|Various participating countries]] | label8 = Original languages | data8 = English | header9 = Production | label10 = Production locations | data10 = [[List of host cities of Eurovoice|Various host cities]] | label11 = Running time | data11 = ~4.5 hours (finals) | label12 = Production company(s) | data12 = Pan-European Broadcasting Organization | header13 = Release | label14 = Picture format | data14 = [[Wikipedia:HDTV|HDTV]] [[Wikipedia:1080i|1080i]] (2022–present) | label15 = Original run | data15 = 12 May 2024 – present |header16 = Related |data27= [[Afrivoice]]<br>[[Asiavoice]] }} '''Eurovoice Song Contest''', often known by its initialism '''EVC''', is an international song competition organised by the Pan-European Broadcasting Organization. Each participating country submits an original song to be performed live and transmitted to national broadcasters via Eurovoice and EuroTV networks, with competing countries then casting votes for the other countries' songs to determine a winner. Based on the Eurovision Song Contest held in Europe since 1956, Eurovoice has been held since 2024. Active members of the PEBO (for now) are allowed to compete; as of 2024, 20 countries have participated at least once. Each participating broadcaster sends one original song to be performed live by a singer or group of up to six people aged 16 or older. Each country awards 1–8, 10 and 12 points to their ten favourite songs, based on the views of an assembled group of music professionals and the country's viewing public, with Eurovoice receiving the most points declared the winner. Other performances feature alongside the competition, including a specially-commissioned opening and interval act and guest performances by musicians and other personalities. Traditionally held in the country which won the preceding year's event, the contest provides an opportunity to promote the host country and city as a tourist destination. Thousands of spectators attend each year, along with journalists who cover all aspects of the contest, including rehearsals in venue, press conferences with the competing acts, in addition to other related events and performances in the host city. The contest has aired in countries across all continents. Eurovoice ranks among the world's most watched non-sporting events every year, with hundreds of millions of viewers globally. Performing at the contest has often provided artists with a local career boost and in some cases long-lasting international success. Several of the best-selling music artists in the world have competed in past editions. While having gained popularity with the viewing public in both participating and non-participating countries, the contest has also been the subject of criticism for its artistic quality as well as a perceived political aspect to the event. Concerns have been raised regarding political friendships and rivalries between countries potentially having an impact on the results. Controversial moments have included participating countries withdrawing at a late stage, censorship of broadcast segments by broadcasters, as well as political events impacting participation. Likewise, the contest has also been criticised for an over-abundance of elaborate stage shows at the cost of artistic merit. Eurovoice has, however, gained popularity for its kitsch appeal, its musical span of ethnic and international styles, as well as emergence as part of LGBT culture, resulting in a large, active fanbase and an influence on popular culture. The popularity of the contest has led to the creation of several similar events, either organised by the PEBO or created by external organisations; several special events have been organised by the PEBO to celebrate select anniversaries or as a replacement due to cancellation. ==History== On 16th May 2024, Electra, executive supervisor of the Pan-European Broadcasting Organization decided to open an international music contest, in that every full member of the PEBO can take part by sending artists representing their countries with songs. It was called ''Eurovoice Song Contest.'' __TOC__ The first ever "Eurovoice" was on 2024. It was held in Milan, Italy, the first ever country to host Eurovoice. Twenty nations took part in the [[Eurovoice 2024|first edition]], each submitting one entry to the contest. Each country awarded 12 points to their favourite, 10 points to their second favourite and then 8-1 points for the remainder of their Top 10. ==Participation== Eligibility to participate in the contest is for now limited to countries in Europe, as several states geographically outside the boundaries of the continent or which span more than one continent are not included yet in the Broadcasting Area. C PEBO members who wish to participate must fulfil conditions as laid down in the rules of the contest, a separate copy of which is drafted annually. Broadcasters must have paid the PEBO a participation fee in advance to the deadline specified in the rules for the year in which they wish to participate; this fee is different for each country based on its size and viewership. Twenty countries have participated at least once. These are listed here alongside the year in which they made their debut: {| |- style="vertical-align:top" | {| class="wikitable" style="font-size:94%" |- ! scope="col" |Edition ! scope="col" |Country making its debut entry |- ! rowspan="20" scope="row" style="vertical-align:top center;" |[[Eurovoice 2024|2024]] |{{Austria}} |- |{{Belgium}} |- |{{Croatia}} |- |{{Denmark}} |- |{{Finland}} |- |{{France}} |- |{{Germany}} |- |{{Greece}} |- |{{Iceland}} |- |{{Ireland}} |- |{{Italy}} |- |{{Luxembourg}} |- |{{Netherlands}} |- |{{Norway}} |- |{{Poland}} |- |{{Portugal}} |- |{{Spain}} |- |{{Sweden}} |- |{{Switzerland}} |- |{{United Kingdom}} |} | |} == Format == Since the very first edition the winning country of each edition is automatically chosen to be the host of the next edition. As the host broadcaster, the heads of delegation can decide how and when they want to host the competition, make a theme song and other things. However if a broadcaster cannot afford to host the competition, the runner-up or the PEBO council will help out. The show would still be hosted in the winning country. ==Hosting== {{Hatnote|Further information: [[List of host cities of Eurovoice]]}} The winning country traditionally hosts the following year's event, with [[List of host cities of Eurovoice|some exceptions]] since 2026. Hosting the contest can be seen as a unique opportunity for promoting the host country as a tourist destination and can provide benefits to the local economy and tourism sectors of the host city. Preparations for each year's contest typically begin at the conclusion of the previous year's contest, with the winning country's head of delegation receiving a welcome package of information related to hosting the contest at the winner's press conference. Eurovoice is a non-profit event, and financing is typically achieved through a fee from each participating broadcaster, contributions from the host broadcaster and the host city, and commercial revenues from sponsorships, ticket sales, televoting and merchandise. The host broadcaster will subsequently select a host city, typically a national or regional capital city, which must meet certain criteria set out in the contest's rules. The host venue must be able to accommodate at least 10,000 spectators, a press centre for 1,500 journalists, should be within easy reach of an international airport and with hotel accommodation available for at least 2,000 delegates, journalists and spectators. A variety of different venues have been used for past editions, from small theatres and television studios to large arenas and stadiums. === Preparations === Preparations in the host venue typically begin approximately six weeks before the final, to accommodate building works and technical rehearsals before the arrival of the competing artists. Delegations will typically arrive in the host city two to three weeks before the live show, and each participating broadcaster nominates a head of delegation, responsible for coordinating the movements of their delegation and being that country's representative to the PEBO. Members of each country's delegation include performers, composers, lyricists, members of the press, and—in the years where a live orchestra was present—a conductor. Present if desired is a commentator, who provides commentary of the event for their country's radio and/or television feed in their country's own language in dedicated booths situated around the back of the arena behind the audience. Each country conducts two individual rehearsals behind closed doors, the first for 30 minutes and the second for 20 minutes. Following rehearsals, delegations meet with the show's production team to review footage of the rehearsal and raise any special requirements or changes. "Meet and greet" sessions with accredited fans and press are held during these rehearsal weeks. Each live show is preceded by three dress rehearsals, where the whole show is run in the same way as it will be presented on TV. The second dress rehearsal, alternatively called the "jury show" and held the night before the broadcast, is used as a recorded back-up in case of technological failure, and performances during this show are used by each country's professional jury to determine their vote. The winning delegation attends a winners' press conference following the final. A welcome reception is typically held at a venue in the host city on the Sunday preceding the live shows, which includes a [[Wikipedia:Red carpet|red carpet]] ceremony for all the participating countries and is usually broadcast online. Accredited delegates, press and fans have access to an official nightclub, the "VoiceClub", and some delegations will hold their own parties. The "VoiceVillage" is an official fan zone open to the public free of charge, with live performances by the contest's artists and screenings of the live shows on big screens. ==Rules== ===Song eligibility and languages=== All competing songs must have a recap with a duration of 30 seconds. This rule applies only to the version performed during the live shows. In order to be considered eligible, competing songs in a given year's contest must not have been released commercially before September of the last year. All competing entries must include vocals and lyrics of some kind and purely instrumental pieces are not allowed. Competing entries may be performed in any language, be that natural or constructed, and participating broadcasters are free to decide the language in which their entry may be performed. ===Running order=== Since the first edition, the order in which the competing countries perform has been determined by the contest's producers, and submitted to the PEBO Executive Supervisor and Reference Group for approval before public announcement. ===[[Voting at Eurovoice|Voting]]=== Each country awards one sets of points: based on the votes of each country's professional jury. Each set of points consists of 1–8, 10 and 12 points to the jury and public's ten favourite songs, with the most preferred song receiving 12 points. Should two or more countries finish with the same number of points, a tie-break procedure is employed to determine the final placings. The country which has obtained points from the most countries following this calculation is deemed to have placed higher. ===Winners=== {{Hatnote|Further information: [[List of Eurovoice winners]]}} {| class="sortable wikitable" width="900px" |- !{{Abbr|Edn.|Edition}} !Country !Performer !Song !Points |- ![[Eurovoice 2024|2024]] | | | | style="text-align:center;" | |} <references /> 92309b7b65ef8d93be034f9c7f3caf4d39705f0e File:Eurovoice 2024.png 6 45 62 2024-01-23T00:06:50Z Globalvision 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Template:Infobox edition 10 30 63 35 2024-01-23T00:09:03Z Globalvision 2 wikitext text/x-wiki {| class="infobox" cellspacing="5" style="border-spacing:3px; width:24em; background:#FAFAFA; float:right; font-size:90%; text-align:left; valign:top; border: 1px solid #CCCCCC" ! colspan=2 class="summary" style="font-size: 140%; background: #bfdfff; text-align: center; padding: 3px" | {{{name|{{PAGENAME}}}}} {{{year|<noinclude>-</noinclude>}}}{{{уear|<noinclude>-</noinclude>}}}<br /><small>''{{nobold|{{{theme|<noinclude>-</noinclude>}}}}}''</small> |- {{#if: {{{logo|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[file:{{{logo}}}|{{{size|340px}}}]] {{!}}- }} {{#if: {{{caption|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} {{{caption}}} {{!}}- }} {{#if: {{{pqr|<noinclude>-</noinclude>}}}{{{semi|<noinclude>-</noinclude>}}}{{{semi2|<noinclude>-</noinclude>}}}{{{final|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Dates {{!}}- }} {{#if: {{{semi1|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-final&nbsp;1}} {{!}} {{{semi1}}} {{!}}- }} {{#if: {{{semis|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-finals}} {{!}} {{{semis}}} {{!}}- }} {{#if: {{{semi2|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-final&nbsp;2}} {{!}} {{{semi2}}} {{!}}- }} {{#if: {{{semi3|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-final&nbsp;3}} {{!}} {{{semi3}}} {{!}}- }} {{#if: {{{semi4|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-final&nbsp;4}} {{!}} {{{semi4}}} {{!}}- }} {{#if: {{{second|<noinclude>-</noinclude>}}}| !{{nowrap|Second-chance}} {{!}} {{{second}}} {{!}}- }} {{#if: {{{final|<noinclude>-</noinclude>}}}| ! Final {{!}} {{{final}}} {{!}}- }} {{#if: {{{venue|<noinclude>-</noinclude>}}}{{{presenters|<noinclude>-</noinclude>}}}{{{conductor|<noinclude>-</noinclude>}}}{{{director|<noinclude>-</noinclude>}}}{{{host|<noinclude>-</noinclude>}}}{{{interval|<noinclude>-</noinclude>}}}{{{opening|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Host {{!}}- }} {{#if: {{{venue|<noinclude>-</noinclude>}}}| ! Venue {{!}} class="location" {{!}} {{{venue}}} {{!}}- }} {{#if: {{{presenters|<noinclude>-</noinclude>}}}| ! Presenter(s) {{!}} {{{presenters}}} {{!}}- }} {{#if: {{{opening|<noinclude>-</noinclude>}}}| ! Acts {{!}} {{{opening}}} {{!}}- }} {{#if: {{{interval|<noinclude>-</noinclude>}}}| ! Interval&nbsp;act {{!}} {{{interval}}} {{!}}- }} {{#if: {{{director|<noinclude>-</noinclude>}}}| ! Directed&nbsp;by {{!}} {{{director}}} {{!}}- }} {{#if: {{{supervisor|<noinclude>-</noinclude>}}}| ! Supervisor {{!}} {{{supervisor}}} {{!}}- }} {{#if: {{{producer|<noinclude>-</noinclude>}}}| ! Producer {{!}} {{{producer}}} {{!}}- }} {{#if: {{{host|<noinclude>-</noinclude>}}}| ! Broadcaster {{!}} {{{host}}} {{!}}- }} {{#if: {{{website|<noinclude>-</noinclude>}}}| ! Website {{!}} {{{website}}} {{!}}- }} {{#if: {{{entries|<noinclude>-</noinclude>}}}{{{debut|<noinclude>-</noinclude>}}}{{{return|<noinclude>-</noinclude>}}}{{{withdraw|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Participants {{!}}- }} {{#if: {{{entries|<noinclude>-</noinclude>}}}| ! Entries {{!}} {{{entries}}} {{!}}- }} {{#if: {{{debut|<noinclude>-</noinclude>}}}| ! Debuting {{!}} {{{debut}}} {{!}}- }} {{#if: {{{return|<noinclude>-</noinclude>}}}| ! {{abbr|Returning|Countries that participated after non participating in the previous event}} {{!}} {{{return}}} {{!}}- }} {{#if: {{{withdraw|<noinclude>-</noinclude>}}}| ! {{abbr|Withdrawing|Countries that did not participate after participating in the previous event}} {{!}} {{{withdraw}}} {{!}}- }} {{#if: {{{map year|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} {{ collapsible list | title = '''Participation map''' | expand = yes | titlestyle = text-align: center; background-color: #bfdfff | 1 = {{Infobox edition/{{{map year}}}}} {{#if: {{{Green|}}} | {{Infobox song contest/Legend|{{{Greenc|#22b14c}}}|{{{Green2|Participating countries}}}}} | }}{{#if: {{{Green SA|}}} | {{Infobox song contest/Legend|#22b14c|{{{Green SA2|Confirmed countries that have selected their song and/or performer}}}}} | }}{{#if: {{{Purple|}}} | {{Infobox song contest/Legend|#782167|{{{Purple2|Confirmed countries}}}}} | }}{{#if: {{{Red|}}} | {{Infobox song contest/Legend|#d40000|{{{Red2|Did not qualify from the semi final or the PQR}}}}} | }}{{#if: {{{Yellow|}}} | {{Infobox song contest/Legend|#ffc20e|{{{Yellow2|Countries that participated in the past but not this edition}}}}} | }} {{#if: {{{Blue|}}} | {{Infobox song contest/Legend|#0e2fff|{{{Blue2|Countries that are still to confirm their participation}}}}} | }} {{#if: {{{L1|}}} | {{Infobox song contest/Legend|{{{L1C|Grey}}}|{{{L1T|Text}}}}} | }}{{#if: {{{E1|}}} | {{{E1|}}} | }}{{#if: {{{L2|}}} | {{Infobox song contest/Legend|{{{L2C|Grey}}}|{{{L2T|Text}}}}} | }}{{#if: {{{E2|}}} | {{{E2|}}} | }}{{#if: {{{L3|}}} | {{Infobox song contest/Legend|{{{L3C|Grey}}}|{{{L3T|Text}}}}} | }}{{#if: {{{E3|}}} | {{{E3|}}} | }}{{#if: {{{L4|}}} | {{Infobox song contest/Legend|{{{L4C|Grey}}}|{{{L4T|Text}}}}} | }}{{#if: {{{E4|}}} | {{{E4|}}} | }}{{#if: {{{L5|}}} | {{Infobox song contest/Legend|{{{L5C|Grey}}}|{{{L5T|Text}}}}} | }}{{#if: {{{E5|}}} | {{{E5|}}} | }}{{#if: {{{L6|}}} | {{Infobox song contest/Legend|{{{L6C|Grey}}}|{{{L6T|Text}}}}} | }}{{#if: {{{E6|}}} | {{{E6|}}} | }}{{#if: {{{L7|}}} | {{Infobox song contest/Legend|{{{L7C|Grey}}}|{{{L7T|Text}}}}} | }}{{#if: {{{E7|}}} | {{{E7|}}} | }}{{#if: {{{L8|}}} | {{Infobox song contest/Legend|{{{L8C|Grey}}}|{{{L8T|Text}}}}} | }}{{#if: {{{E8|}}} | {{{E8|}}} | }}{{#if: {{{L9|}}} | {{Infobox song contest/Legend|{{{L9C|Grey}}}|{{{L9T|Text}}}}} | }}{{#if: {{{E9|}}} | {{{E9|}}} | }}{{#if: {{{L10|}}} | {{Infobox song contest/Legend|{{{L10C|Grey}}}|{{{L10T|Text}}}}} | }}{{#if: {{{E10|}}} | {{{E10|}}} | }} }} | }} {{!}}- {{#if: {{{null|<noinclude>-</noinclude>}}}{{{vote|<noinclude>-</noinclude>}}}{{{winner|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Voting {{!}}- }} {{#if: {{{vote|<noinclude>-</noinclude>}}}| ! System {{!}} {{{vote}}} {{!}}- }} {{#if: {{{null|<noinclude>-</noinclude>}}}| ! Null&nbsp;points {{!}} {{{null}}} {{!}}- }} {{#if: {{{winner|<noinclude>-</noinclude>}}}| ! Winner {{!}} {{{winner}}} {{!}}- }} {{#if: {{{pre|<noinclude>-</noinclude>}}}{{{nex|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} [[{{{name|}}}]] {{!}}- }} {{#if: {{{pre|<noinclude>-</noinclude>}}}{{{nex|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[{{{name|}}} {{{pre|}}}|◄ {{{pre|}}}]] [[file:Eurovision Heart.png|15px|link=]] [[{{{name|}}} {{{nex|}}}|{{{nex|}}} ►]] {{!}}- }} {{#if: {{{pre2|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} [[{{{name|}}}]] {{!}}- }} {{#if: {{{pre2|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[{{{name|}}} {{{pre2|}}}|◄ {{{pre2|}}}]] [[file:Eurovision Heart.png|15px|link=]] {{!}}- }} {{#if: {{{nex2|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} [[{{{name|}}}]] {{!}}- }} {{#if: {{{pre2|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[file:Wiki Eurovision Heart (Infobox).svg.png|15px]] [[{{{con|}}} {{{nex2|}}}|{{{nex2|}}}►]] {{!}}- }} |} <noinclude> {{documentation}} </noinclude> 2ea28e0ca18d959682dcf1f719247237de16ef18 66 63 2024-01-23T00:14:26Z Globalvision 2 wikitext text/x-wiki {| class="infobox" style="width: 22em" ! colspan=2 class="summary" style="font-size: 125%; background: #bfdfff; text-align: center" | {{{name|{{PAGENAME}}}}} {{{year|<noinclude>-</noinclude>}}}{{{уear|<noinclude>-</noinclude>}}}<br /><small>{{{theme|<noinclude>-</noinclude>}}}</small> |- {{#if: {{{image|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[file:{{{image}}}|{{{size|340px}}}]] {{!}}- }} {{#if: {{{qf|<noinclude>-</noinclude>}}}{{{semi|<noinclude>-</noinclude>}}}{{{semi2|<noinclude>-</noinclude>}}}{{{final|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Dates {{!}}- }} {{#if: {{{qf|<noinclude>-</noinclude>}}}| ! QF date {{!}} {{{qf|}}} {{!}}- }} {{#if: {{{nominations|<noinclude>-</noinclude>}}}| ! {{nowrap|Nominations date}} {{!}} {{{nominations}}} {{!}}- }} {{#if: {{{semi|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-finals&nbsp;date}} {{!}} {{{semi}}} {{!}}- }} {{#if: {{{semi1|<noinclude>-</noinclude>}}}| ! Semi-final&nbsp;1&nbsp;date {{!}} {{{semi1}}} {{!}}- }} {{#if: {{{semi2|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-final&nbsp;2&nbsp;date}} {{!}} {{{semi2}}} {{!}}- }} {{#if: {{{final|<noinclude>-</noinclude>}}}| ! Final&nbsp;date {{!}} {{{final}}} {{!}}- }} {{#if: {{{venue|<noinclude>-</noinclude>}}}{{{presenters|<noinclude>-</noinclude>}}}{{{conductor|<noinclude>-</noinclude>}}}{{{director|<noinclude>-</noinclude>}}}{{{host|<noinclude>-</noinclude>}}}{{{interval|<noinclude>-</noinclude>}}}{{{opening|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Host {{!}}- }} {{#if: {{{venue|<noinclude>-</noinclude>}}}| ! Venue {{!}} class="location" {{!}} {{{venue}}} {{!}}- }} {{#if: {{{presenters|<noinclude>-</noinclude>}}}| ! Presenter(s) {{!}} {{{presenters}}} {{!}}- }} {{#if: {{{host|<noinclude>-</noinclude>}}}| ! Broadcaster {{!}} {{{host}}} {{!}}- }} {{#if: {{{opening|<noinclude>-</noinclude>}}}| ! Opening&nbsp;act {{!}} {{{opening}}} {{!}}- }} {{#if: {{{interval|<noinclude>-</noinclude>}}}| ! Interval&nbsp;act {{!}} {{{interval}}} {{!}}- }} {{#if: {{{entries|<noinclude>-</noinclude>}}}{{{debut|<noinclude>-</noinclude>}}}{{{return|<noinclude>-</noinclude>}}}{{{withdraw|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Participants {{!}}- }} {{#if: {{{entries|<noinclude>-</noinclude>}}}| ! Entries {{!}} {{{entries}}} {{!}}- }} {{#if: {{{debut|<noinclude>-</noinclude>}}}| ! Debuting {{!}} {{{debut}}} {{!}}- }} {{#if: {{{return|<noinclude>-</noinclude>}}}| ! Returning {{!}} {{{return}}} {{!}}- }} {{#if: {{{withdraw|<noinclude>-</noinclude>}}}| ! Withdrawing {{!}} {{{withdraw}}} {{!}}- }} {{#if: {{{map year|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} {{ collapsible list | title = '''Participation map''' | expand = yes | titlestyle = text-align: center; background-color: #bfdfff; | 1 = {{Infobox edition/{{{map year}}}}} {{#if: {{{Green|}}} | {{Infobox song contest/Legend|{{{Greenc|#22b14c}}}|{{{Green2|Participating countries}}}}} | }}{{#if: {{{Green SA|}}} | {{Infobox song contest/Legend|#22b14c|{{{Green SA2|Confirmed countries that have selected their song and/or performer}}}}} | }}{{#if: {{{Purple|}}} | {{Infobox song contest/Legend|#782167|{{{Purple2|Confirmed countries}}}}} | }}{{#if: {{{Red|}}} | {{Infobox song contest/Legend|#d40000|{{{Red2|Did not qualify from the semi-final}}}}} | }}{{#if: {{{Red QF|}}} | {{Infobox song contest/Legend|#d40000|{{{Red2|Did not qualify from the semi-final or the QF}}}}} | }}{{#if: {{{Yellow|}}} | {{Infobox song contest/Legend|#ffc20e|{{{Yellow2|Countries that participated in the past but not this edition}}}}} | }} {{#if: {{{Blue|}}} | {{Infobox song contest/Legend|#0e2fff|{{{Blue2|Countries that are still to confirm their participation}}}}} | }} {{#if: {{{L1|}}} | {{Infobox song contest/Legend|{{{L1C|Grey}}}|{{{L1T|Text}}}}} | }}{{#if: {{{E1|}}} | {{{E1|}}} | }}{{#if: {{{L2|}}} | {{Infobox song contest/Legend|{{{L2C|Grey}}}|{{{L2T|Text}}}}} | }}{{#if: {{{E2|}}} | {{{E2|}}} | }}{{#if: {{{L3|}}} | {{Infobox song contest/Legend|{{{L3C|Grey}}}|{{{L3T|Text}}}}} | }}{{#if: {{{E3|}}} | {{{E3|}}} | }}{{#if: {{{L4|}}} | {{Infobox song contest/Legend|{{{L4C|Grey}}}|{{{L4T|Text}}}}} | }}{{#if: {{{E4|}}} | {{{E4|}}} | }}{{#if: {{{L5|}}} | {{Infobox song contest/Legend|{{{L5C|Grey}}}|{{{L5T|Text}}}}} | }}{{#if: {{{E5|}}} | {{{E5|}}} | }}{{#if: {{{L6|}}} | {{Infobox song contest/Legend|{{{L6C|Grey}}}|{{{L6T|Text}}}}} | }}{{#if: {{{E6|}}} | {{{E6|}}} | }}{{#if: {{{L7|}}} | {{Infobox song contest/Legend|{{{L7C|Grey}}}|{{{L7T|Text}}}}} | }}{{#if: {{{E7|}}} | {{{E7|}}} | }}{{#if: {{{L8|}}} | {{Infobox song contest/Legend|{{{L8C|Grey}}}|{{{L8T|Text}}}}} | }}{{#if: {{{E8|}}} | {{{E8|}}} | }}{{#if: {{{L9|}}} | {{Infobox song contest/Legend|{{{L9C|Grey}}}|{{{L9T|Text}}}}} | }}{{#if: {{{E9|}}} | {{{E9|}}} | }}{{#if: {{{L10|}}} | {{Infobox song contest/Legend|{{{L10C|Grey}}}|{{{L10T|Text}}}}} | }}{{#if: {{{E10|}}} | {{{E10|}}} | }} }} | }} {{!}}- {{#if: {{{null|<noinclude>-</noinclude>}}}{{{vote|<noinclude>-</noinclude>}}}{{{winner|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Voting {{!}}- }} {{#if: {{{vote|<noinclude>-</noinclude>}}}| ! System {{!}} {{{vote}}} {{!}}- }} {{#if: {{{nul|<noinclude>-</noinclude>}}}| ! Nul points {{!}} {{{nul}}} {{!}}- }} {{#if: {{{winner|<noinclude>-</noinclude>}}}| ! Winner {{!}} {{{winner}}} {{!}}- }} {{#if: {{{link|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} {{{link}}} {{!}}- }} {{#if: {{{con|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} [[{{{con|}}}]] {{!}}- }} {{#if: {{{pre|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[{{{con|}}} {{{pre|}}}|◄{{{pre|}}}]] [[file:Wiki Eurovision Heart (Infobox).svg.png|15px]] [[{{{con|}}} {{{nex|}}}|{{{nex|}}}►]] {{!}}- }} {{#if: {{{pre2|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[file:Wiki Eurovision Heart (Infobox).svg.png|15px]] [[{{{con|}}} {{{nex2|}}}|{{{nex2|}}}►]] {{!}}- }} {{#if: {{{year|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} [[{{{name}}}|<span style="color:black">{{{name}}}</span>]] {{!}}- }} {{#if: {{{year|<noinclude>-</noinclude>}}} | ! colspan=2 style="text-align: center" {{!}} {{Infobox song contest/Year|name={{{name}}}|year={{{year}}}}} }} |} <noinclude> {{Documentation}} <!--Please add this template's categories to the /doc subpage, not here - thanks!--> </noinclude> 5a806ca42757d6f47b49d860c97211ff3bad97a5 File:Eurovision Heart.png 6 46 64 2024-01-23T00:12:18Z Globalvision 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Template:Infobox song contest/Year 10 47 67 2024-01-23T00:15:11Z Globalvision 2 Created page with "{| align="center" |- | style="text-align:right; width:45%" | {{#ifexist: {{{name}}} {{#expr: {{{year|}}} -1}}| [[{{{name}}} {{#expr: {{{year|}}} -1}}|◄{{#expr: {{{year}}} -1}}]] • | {{#ifexist: {{{name}}} {{#expr: {{{year|}}} -2}}| [[{{{name}}} {{#expr: {{{year|}}} -2}}|◄{{#expr: {{{year}}} -2}}]] • | }}}} | '''{{{year}}}''' | style="text-align:left; width:45%" | {{#ifexist: {{{name}}} {{#expr: {{{year|}}} +1}}| • {{{name}}} {{#expr: {{{year|}}} +1}}|{{#exp..." wikitext text/x-wiki {| align="center" |- | style="text-align:right; width:45%" | {{#ifexist: {{{name}}} {{#expr: {{{year|}}} -1}}| [[{{{name}}} {{#expr: {{{year|}}} -1}}|◄{{#expr: {{{year}}} -1}}]] • | {{#ifexist: {{{name}}} {{#expr: {{{year|}}} -2}}| [[{{{name}}} {{#expr: {{{year|}}} -2}}|◄{{#expr: {{{year}}} -2}}]] • | }}}} | '''{{{year}}}''' | style="text-align:left; width:45%" | {{#ifexist: {{{name}}} {{#expr: {{{year|}}} +1}}| • [[{{{name}}} {{#expr: {{{year|}}} +1}}|{{#expr: {{{year}}} +1}}►]] | {{#ifexist: {{{name}}} {{#expr: {{{year|}}} +2}}| • [[{{{name}}} {{#expr: {{{year|}}} +2}}|{{#expr: {{{year}}} +2}}►]] | }}}} |} 6014c5b9b4c2e50d6a285aafd1c00fe679f662c8 Template:Fmbox 10 48 70 2024-01-23T00:22:50Z Globalvision 2 Created page with "<table {{#if:{{{id|}}}|id="{{{id|}}}"}} class="plainlinks fmbox {{#switch:{{{type|}}} | warning = fmbox-warning | editnotice = fmbox-editnotice | system <!-- system = default --> | #default = fmbox-system }} {{{class|}}}" style="{{{style|}}}" role="presentation"> <tr> {{#ifeq:{{{image|}}}|none | <!-- No image. --> | <td class="mbox-image"> {{#if:{{{image|}}} | {{{image}}} | File:{{#switch:{{{type|}}} | warning = Cmbox deletion.png | editn..." wikitext text/x-wiki <table {{#if:{{{id|}}}|id="{{{id|}}}"}} class="plainlinks fmbox {{#switch:{{{type|}}} | warning = fmbox-warning | editnotice = fmbox-editnotice | system <!-- system = default --> | #default = fmbox-system }} {{{class|}}}" style="{{{style|}}}" role="presentation"> <tr> {{#ifeq:{{{image|}}}|none | <!-- No image. --> | <td class="mbox-image"> {{#if:{{{image|}}} | {{{image}}} | [[File:{{#switch:{{{type|}}} | warning = Cmbox deletion.png | editnotice = Imbox notice.png | system <!-- system = default --> | #default = Imbox notice.png }}|40x40px|link=|alt=]] }}</td> }} <td class="mbox-text" style="{{{textstyle|}}}"> {{{text}}} </td> {{#if:{{{imageright|}}} | <td class="mbox-imageright"> {{{imageright}}} </td> }} </tr> </table><!-- Detect and report usage with faulty "type" parameter: -->{{#switch:{{{type|}}} | <!-- No type fed, is also valid input --> | warning | editnotice | system = <!-- Do nothing, valid "type" --> | #default = <div style="text-align: center;">This message box is using an invalid "type={{{type|}}}" parameter and needs fixing.</div>[[Category:Wikipedia message box parameter needs fixing|{{main other|Main:}}{{FULLPAGENAME}}]]<!-- Sort on namespace --> }} c15cdcf5fc9e385f6d882165a94bae81a550e6c9 Template:Infobox Eurovision 10 49 71 2024-01-23T00:24:52Z Globalvision 2 Created page with "{| class="infobox" style="width: 22em" ! colspan=2 class="summary" style="font-size: 125%; background: #bfdfff; text-align: center" | {{{name|{{PAGENAME}}}}} {{{year|<noinclude>-</noinclude>}}}{{{уear|<noinclude>-</noinclude>}}}<br /><small>{{{theme|<noinclude>-</noinclude>}}}</small> |- {{#if: {{{image|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[file:{{{image}}}|{{{size|340px}}}]] {{!}}- }} {{#if: {{{qf|<noinclude>-</noinclude>}}}{{..." wikitext text/x-wiki {| class="infobox" style="width: 22em" ! colspan=2 class="summary" style="font-size: 125%; background: #bfdfff; text-align: center" | {{{name|{{PAGENAME}}}}} {{{year|<noinclude>-</noinclude>}}}{{{уear|<noinclude>-</noinclude>}}}<br /><small>{{{theme|<noinclude>-</noinclude>}}}</small> |- {{#if: {{{image|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[file:{{{image}}}|{{{size|340px}}}]] {{!}}- }} {{#if: {{{qf|<noinclude>-</noinclude>}}}{{{semi|<noinclude>-</noinclude>}}}{{{semi2|<noinclude>-</noinclude>}}}{{{final|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Dates {{!}}- }} {{#if: {{{qf|<noinclude>-</noinclude>}}}| ! QF date {{!}} {{{qf|}}} {{!}}- }} {{#if: {{{nominations|<noinclude>-</noinclude>}}}| ! {{nowrap|Nominations date}} {{!}} {{{nominations}}} {{!}}- }} {{#if: {{{semi|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-finals&nbsp;date}} {{!}} {{{semi}}} {{!}}- }} {{#if: {{{semi1|<noinclude>-</noinclude>}}}| ! Semi-final&nbsp;1&nbsp;date {{!}} {{{semi1}}} {{!}}- }} {{#if: {{{semi2|<noinclude>-</noinclude>}}}| ! {{nowrap|Semi-final&nbsp;2&nbsp;date}} {{!}} {{{semi2}}} {{!}}- }} {{#if: {{{final|<noinclude>-</noinclude>}}}| ! Final&nbsp;date {{!}} {{{final}}} {{!}}- }} {{#if: {{{venue|<noinclude>-</noinclude>}}}{{{presenters|<noinclude>-</noinclude>}}}{{{conductor|<noinclude>-</noinclude>}}}{{{director|<noinclude>-</noinclude>}}}{{{host|<noinclude>-</noinclude>}}}{{{interval|<noinclude>-</noinclude>}}}{{{opening|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Host {{!}}- }} {{#if: {{{venue|<noinclude>-</noinclude>}}}| ! Venue {{!}} class="location" {{!}} {{{venue}}} {{!}}- }} {{#if: {{{presenters|<noinclude>-</noinclude>}}}| ! Presenter(s) {{!}} {{{presenters}}} {{!}}- }} {{#if: {{{host|<noinclude>-</noinclude>}}}| ! Broadcaster {{!}} {{{host}}} {{!}}- }} {{#if: {{{opening|<noinclude>-</noinclude>}}}| ! Opening&nbsp;act {{!}} {{{opening}}} {{!}}- }} {{#if: {{{interval|<noinclude>-</noinclude>}}}| ! Interval&nbsp;act {{!}} {{{interval}}} {{!}}- }} {{#if: {{{entries|<noinclude>-</noinclude>}}}{{{debut|<noinclude>-</noinclude>}}}{{{return|<noinclude>-</noinclude>}}}{{{withdraw|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Participants {{!}}- }} {{#if: {{{entries|<noinclude>-</noinclude>}}}| ! Entries {{!}} {{{entries}}} {{!}}- }} {{#if: {{{debut|<noinclude>-</noinclude>}}}| ! Debuting {{!}} {{{debut}}} {{!}}- }} {{#if: {{{return|<noinclude>-</noinclude>}}}| ! Returning {{!}} {{{return}}} {{!}}- }} {{#if: {{{withdraw|<noinclude>-</noinclude>}}}| ! Withdrawing {{!}} {{{withdraw}}} {{!}}- }} {{#if: {{{map year|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} {{ collapsible list | title = '''Participation map''' | expand = yes | titlestyle = text-align: center; background-color: #bfdfff; | 1 = {{Infobox edition/{{{map year}}}}} {{#if: {{{Green|}}} | {{Infobox song contest/Legend|{{{Greenc|#22b14c}}}|{{{Green2|Participating countries}}}}} | }}{{#if: {{{Green SA|}}} | {{Infobox song contest/Legend|#22b14c|{{{Green SA2|Confirmed countries that have selected their song and/or performer}}}}} | }}{{#if: {{{Purple|}}} | {{Infobox song contest/Legend|#782167|{{{Purple2|Confirmed countries}}}}} | }}{{#if: {{{Red|}}} | {{Infobox song contest/Legend|#d40000|{{{Red2|Did not qualify from the semi-final}}}}} | }}{{#if: {{{Red QF|}}} | {{Infobox song contest/Legend|#d40000|{{{Red2|Did not qualify from the semi-final or the QF}}}}} | }}{{#if: {{{Yellow|}}} | {{Infobox song contest/Legend|#ffc20e|{{{Yellow2|Countries that participated in the past but not this edition}}}}} | }} {{#if: {{{Blue|}}} | {{Infobox song contest/Legend|#0e2fff|{{{Blue2|Countries that are still to confirm their participation}}}}} | }} {{#if: {{{L1|}}} | {{Infobox song contest/Legend|{{{L1C|Grey}}}|{{{L1T|Text}}}}} | }}{{#if: {{{E1|}}} | {{{E1|}}} | }}{{#if: {{{L2|}}} | {{Infobox song contest/Legend|{{{L2C|Grey}}}|{{{L2T|Text}}}}} | }}{{#if: {{{E2|}}} | {{{E2|}}} | }}{{#if: {{{L3|}}} | {{Infobox song contest/Legend|{{{L3C|Grey}}}|{{{L3T|Text}}}}} | }}{{#if: {{{E3|}}} | {{{E3|}}} | }}{{#if: {{{L4|}}} | {{Infobox song contest/Legend|{{{L4C|Grey}}}|{{{L4T|Text}}}}} | }}{{#if: {{{E4|}}} | {{{E4|}}} | }}{{#if: {{{L5|}}} | {{Infobox song contest/Legend|{{{L5C|Grey}}}|{{{L5T|Text}}}}} | }}{{#if: {{{E5|}}} | {{{E5|}}} | }}{{#if: {{{L6|}}} | {{Infobox song contest/Legend|{{{L6C|Grey}}}|{{{L6T|Text}}}}} | }}{{#if: {{{E6|}}} | {{{E6|}}} | }}{{#if: {{{L7|}}} | {{Infobox song contest/Legend|{{{L7C|Grey}}}|{{{L7T|Text}}}}} | }}{{#if: {{{E7|}}} | {{{E7|}}} | }}{{#if: {{{L8|}}} | {{Infobox song contest/Legend|{{{L8C|Grey}}}|{{{L8T|Text}}}}} | }}{{#if: {{{E8|}}} | {{{E8|}}} | }}{{#if: {{{L9|}}} | {{Infobox song contest/Legend|{{{L9C|Grey}}}|{{{L9T|Text}}}}} | }}{{#if: {{{E9|}}} | {{{E9|}}} | }}{{#if: {{{L10|}}} | {{Infobox song contest/Legend|{{{L10C|Grey}}}|{{{L10T|Text}}}}} | }}{{#if: {{{E10|}}} | {{{E10|}}} | }} }} | }} {{!}}- {{#if: {{{null|<noinclude>-</noinclude>}}}{{{vote|<noinclude>-</noinclude>}}}{{{winner|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} Voting {{!}}- }} {{#if: {{{vote|<noinclude>-</noinclude>}}}| ! System {{!}} {{{vote}}} {{!}}- }} {{#if: {{{nul|<noinclude>-</noinclude>}}}| ! Nul points {{!}} {{{nul}}} {{!}}- }} {{#if: {{{winner|<noinclude>-</noinclude>}}}| ! Winner {{!}} {{{winner}}} {{!}}- }} {{#if: {{{link|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} {{{link}}} {{!}}- }} {{#if: {{{con|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} [[{{{con|}}}]] {{!}}- }} {{#if: {{{pre|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[{{{con|}}} {{{pre|}}}|◄{{{pre|}}}]] [[file:Wiki Eurovision Heart (Infobox).svg.png|15px]] [[{{{con|}}} {{{nex|}}}|{{{nex|}}}►]] {{!}}- }} {{#if: {{{pre2|<noinclude>-</noinclude>}}}| {{!}} colspan=2 style="text-align: center" {{!}} [[file:Wiki Eurovision Heart (Infobox).svg.png|15px]] [[{{{con|}}} {{{nex2|}}}|{{{nex2|}}}►]] {{!}}- }} {{#if: {{{year|<noinclude>-</noinclude>}}}| ! colspan=2 style="background-color: #bfdfff; text-align: center" {{!}} [[{{{name}}}|<span style="color:black">{{{name}}}</span>]] {{!}}- }} {{#if: {{{year|<noinclude>-</noinclude>}}} | ! colspan=2 style="text-align: center" {{!}} {{Infobox song contest/Year|name={{{name}}}|year={{{year}}}}} }} |} <noinclude> {{Documentation}} <!--Please add this template's categories to the /doc subpage, not here - thanks!--> </noinclude> 5a806ca42757d6f47b49d860c97211ff3bad97a5 Template:Documentation/docspace 10 50 72 2024-01-23T00:26:54Z Globalvision 2 Created page with "{{#switch: {{SUBJECTSPACE}} | {{ns:0}} | {{ns:File}} | {{ns:MediaWiki}} | {{ns:Category}} = {{TALKSPACE}} | #default = {{SUBJECTSPACE}} }}<noinclude> {{documentation|content= This subtemplate of {{tl|documentation}} is used to determine the namespace of the documentation page. }}</noinclude>" wikitext text/x-wiki {{#switch: {{SUBJECTSPACE}} | {{ns:0}} | {{ns:File}} | {{ns:MediaWiki}} | {{ns:Category}} = {{TALKSPACE}} | #default = {{SUBJECTSPACE}} }}<noinclude> {{documentation|content= This subtemplate of {{tl|documentation}} is used to determine the namespace of the documentation page. }}</noinclude> 3f8c9307e17e8c27c28733376f3ed4d8e04df50f Template:Documentation/template page 10 51 73 2024-01-23T00:27:18Z Globalvision 2 Created page with "{{#switch: {{SUBPAGENAME}} | sandbox | testcases = {{BASEPAGENAME}} | #default = {{PAGENAME}} }}<noinclude>{{documentation|content= This subtemplate of {{tl|documentation}} is used to determine the template page name. }}</noinclude>" wikitext text/x-wiki {{#switch: {{SUBPAGENAME}} | sandbox | testcases = {{BASEPAGENAME}} | #default = {{PAGENAME}} }}<noinclude>{{documentation|content= This subtemplate of {{tl|documentation}} is used to determine the template page name. }}</noinclude> 83e55011b2f99551c294b68cb14f363d67bd2917 Template:Infobox edition/EVC2024 10 52 76 2024-01-23T00:51:50Z Globalvision 2 Created page with " Here is the wiki code with only the specified countries: <imagemap> File:Map_OESC_1.svg|{{{size|350px}}}|frameless}} rect 221 414 234 427 [[Belgium]] poly 369 415 362 411 356 411 349 406 349 404 351 403 346 399 344 393 340 390 337 396 333 392 333 390 342 388 350 384 350 380 353 376 360 377 366 381 369 382 376 380 379 384 381 391 369 391 359 390 359 392 354 392 353 394 355 402 366 410 370 414 [[Croatia]] poly 330 346 325 344 320 338 320 335 319 329 325 326 335 321 343..." wikitext text/x-wiki Here is the wiki code with only the specified countries: <imagemap> File:Map_OESC_1.svg|{{{size|350px}}}|frameless}} rect 221 414 234 427 [[Belgium]] poly 369 415 362 411 356 411 349 406 349 404 351 403 346 399 344 393 340 390 337 396 333 392 333 390 342 388 350 384 350 380 353 376 360 377 366 381 369 382 376 380 379 384 381 391 369 391 359 390 359 392 354 392 353 394 355 402 366 410 370 414 [[Croatia]] poly 330 346 325 344 320 338 320 335 319 329 325 326 335 321 343 323 352 324 354 331 358 327 366 330 369 331 373 336 370 338 365 345 360 347 357 349 349 345 343 346 341 349 337 350 333 348 [[Denmark]] poly 493 335 499 329 507 328 508 320 511 320 513 325 528 334 513 342 520 352 507 358 497 349 497 352 493 358 489 353 490 343 488 338 495 338 [[Finland]] poly 179 292 174 292 164 295 156 295 156 292 151 292 151 289 155 286 160 282 164 275 158 271 163 262 170 265 171 260 175 254 178 255 179 261 175 265 176 268 180 268 181 268 186 273 184 281 184 288 [[Ireland]] poly 289 469 287 465 288 456 288 451 286 447 292 443 295 442 297 443 312 426 310 422 308 420 303 407 296 403 292 401 284 407 283 408 283 404 276 404 276 402 276 398 272 395 275 395 278 390 276 385 282 384 289 378 294 385 294 379 300 380 305 373 308 374 315 371 318 371 322 375 331 376 331 382 330 384 324 389 320 389 320 393 323 397 321 399 322 402 317 402 318 414 329 414 329 409 333 412 336 419 339 426 344 432 354 432 358 432 356 435 368 440 375 444 381 448 380 453 374 449 369 447 367 449 362 456 368 461 368 466 364 472 358 477 355 478 353 486 353 491 351 491 351 494 346 494 343 488 332 484 327 483 327 480 333 478 343 479 353 476 358 473 361 468 358 458 355 456 351 449 340 446 338 439 326 438 327 436 319 430 319 429 312 426 298 442 298 446 301 448 299 454 299 467 293 465 [[Italy]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Luxembourg]] poly 395 454 403 443 404 436 411 436 411 433 418 432 422 427 431 424 440 426 442 426 450 422 448 416 455 420 452 426 453 430 448 430 439 430 437 432 430 434 430 441 420 440 420 445 424 449 431 455 439 461 443 465 437 466 437 472 438 496 446 497 453 497 465 497 452 501 439 499 439 496 438 470 434 468 428 471 432 477 426 477 431 486 424 485 416 483 417 477 403 469 408 467 [[Greece]] poly 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[Netherlands]] poly 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Norway]] poly 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Poland]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Portugal]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Spain]] poly 317 250 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Sweden]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Switzerland]] poly 393 272 385 275 371 275 370 207 386 207 408 199 409 190 414 177 418 165 419 156 410 151 409 146 405 138 402 133 399 125 392 115 391 105 391 101 384 100 384 94 385 87 387 82 393 78 398 81 413 81 428 84 436 86 443 91 445 95 445 101 435 109 422 109 414 111 414 113 419 115 422 121 425 129 427 133 432 134 435 134 438 136 445 136 449 132 442 130 437 126 437 123 454 123 457 123 447 113 454 95 465 98 460 85 455 84 452 76 449 71 453 68 461 71 457 77 461 80 468 84 473 80 469 72 473 61 463 56 459 53 459 51 464 48 468 52 465 55 473 63 476 52 478 45 485 49 490 47 487 43 491 40 495 29 500 33 503 29 501 22 490 19 477 17 469 22 464 20 452 22 449 19 450 12 445 3 445 1 454 1 457 7 464 15 475 15 490 15 500 10 518 5 529 4 527 -1 679 -1 679 97 677 101 665 94 665 100 658 101 657 111 652 122 645 138 632 155 635 160 645 159 645 162 638 168 647 173 644 180 658 179 662 184 654 192 647 197 642 197 631 203 630 213 628 218 611 217 597 220 590 227 585 239 585 245 591 254 585 256 579 251 579 261 581 270 582 279 590 282 592 285 598 280 610 286 606 292 613 292 610 302 604 302 608 309 606 321 614 321 620 332 635 342 633 354 623 349 614 349 611 346 603 349 596 354 590 352 582 352 576 356 565 356 561 357 549 353 540 351 535 351 528 349 534 345 538 335 533 330 539 320 537 319 531 323 530 319 536 311 543 311 536 301 533 291 529 289 519 289 519 292 512 288 507 293 495 292 490 286 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[United Kingdom]] desc bottom-right </imagemap> 14a55f77f97eed35f5a9e292eac2a20bfbd78c1e 77 76 2024-01-23T00:52:20Z Globalvision 2 wikitext text/x-wiki <imagemap> File:Map_EVC2024.svg|{{{size|350px}}}|frameless}} rect 221 414 234 427 [[Belgium]] poly 369 415 362 411 356 411 349 406 349 404 351 403 346 399 344 393 340 390 337 396 333 392 333 390 342 388 350 384 350 380 353 376 360 377 366 381 369 382 376 380 379 384 381 391 369 391 359 390 359 392 354 392 353 394 355 402 366 410 370 414 [[Croatia]] poly 330 346 325 344 320 338 320 335 319 329 325 326 335 321 343 323 352 324 354 331 358 327 366 330 369 331 373 336 370 338 365 345 360 347 357 349 349 345 343 346 341 349 337 350 333 348 [[Denmark]] poly 493 335 499 329 507 328 508 320 511 320 513 325 528 334 513 342 520 352 507 358 497 349 497 352 493 358 489 353 490 343 488 338 495 338 [[Finland]] poly 179 292 174 292 164 295 156 295 156 292 151 292 151 289 155 286 160 282 164 275 158 271 163 262 170 265 171 260 175 254 178 255 179 261 175 265 176 268 180 268 181 268 186 273 184 281 184 288 [[Ireland]] poly 289 469 287 465 288 456 288 451 286 447 292 443 295 442 297 443 312 426 310 422 308 420 303 407 296 403 292 401 284 407 283 408 283 404 276 404 276 402 276 398 272 395 275 395 278 390 276 385 282 384 289 378 294 385 294 379 300 380 305 373 308 374 315 371 318 371 322 375 331 376 331 382 330 384 324 389 320 389 320 393 323 397 321 399 322 402 317 402 318 414 329 414 329 409 333 412 336 419 339 426 344 432 354 432 358 432 356 435 368 440 375 444 381 448 380 453 374 449 369 447 367 449 362 456 368 461 368 466 364 472 358 477 355 478 353 486 353 491 351 491 351 494 346 494 343 488 332 484 327 483 327 480 333 478 343 479 353 476 358 473 361 468 358 458 355 456 351 449 340 446 338 439 326 438 327 436 319 430 319 429 312 426 298 442 298 446 301 448 299 454 299 467 293 465 [[Italy]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Luxembourg]] poly 395 454 403 443 404 436 411 436 411 433 418 432 422 427 431 424 440 426 442 426 450 422 448 416 455 420 452 426 453 430 448 430 439 430 437 432 430 434 430 441 420 440 420 445 424 449 431 455 439 461 443 465 437 466 437 472 438 496 446 497 453 497 465 497 452 501 439 499 439 496 438 470 434 468 428 471 432 477 426 477 431 486 424 485 416 483 417 477 403 469 408 467 [[Greece]] poly 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[Netherlands]] poly 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Norway]] poly 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Poland]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Portugal]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Spain]] poly 317 250 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Sweden]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Switzerland]] poly 393 272 385 275 371 275 370 207 386 207 408 199 409 190 414 177 418 165 419 156 410 151 409 146 405 138 402 133 399 125 392 115 391 105 391 101 384 100 384 94 385 87 387 82 393 78 398 81 413 81 428 84 436 86 443 91 445 95 445 101 435 109 422 109 414 111 414 113 419 115 422 121 425 129 427 133 432 134 435 134 438 136 445 136 449 132 442 130 437 126 437 123 454 123 457 123 447 113 454 95 465 98 460 85 455 84 452 76 449 71 453 68 461 71 457 77 461 80 468 84 473 80 469 72 473 61 463 56 459 53 459 51 464 48 468 52 465 55 473 63 476 52 478 45 485 49 490 47 487 43 491 40 495 29 500 33 503 29 501 22 490 19 477 17 469 22 464 20 452 22 449 19 450 12 445 3 445 1 454 1 457 7 464 15 475 15 490 15 500 10 518 5 529 4 527 -1 679 -1 679 97 677 101 665 94 665 100 658 101 657 111 652 122 645 138 632 155 635 160 645 159 645 162 638 168 647 173 644 180 658 179 662 184 654 192 647 197 642 197 631 203 630 213 628 218 611 217 597 220 590 227 585 239 585 245 591 254 585 256 579 251 579 261 581 270 582 279 590 282 592 285 598 280 610 286 606 292 613 292 610 302 604 302 608 309 606 321 614 321 620 332 635 342 633 354 623 349 614 349 611 346 603 349 596 354 590 352 582 352 576 356 565 356 561 357 549 353 540 351 535 351 528 349 534 345 538 335 533 330 539 320 537 319 531 323 530 319 536 311 543 311 536 301 533 291 529 289 519 289 519 292 512 288 507 293 495 292 490 286 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[United Kingdom]] desc bottom-right </imagemap> 19d3fa593ecdb254f14cb5586a98dea7703aa1bb 79 77 2024-01-23T00:58:13Z Globalvision 2 wikitext text/x-wiki <imagemap> [[File:Map_EVC2024.png|{{{size|350px}}}|frameless}}]] rect 221 414 234 427 [[Belgium]] poly 369 415 362 411 356 411 349 406 349 404 351 403 346 399 344 393 340 390 337 396 333 392 333 390 342 388 350 384 350 380 353 376 360 377 366 381 369 382 376 380 379 384 381 391 369 391 359 390 359 392 354 392 353 394 355 402 366 410 370 414 [[Croatia]] poly 330 346 325 344 320 338 320 335 319 329 325 326 335 321 343 323 352 324 354 331 358 327 366 330 369 331 373 336 370 338 365 345 360 347 357 349 349 345 343 346 341 349 337 350 333 348 [[Denmark]] poly 493 335 499 329 507 328 508 320 511 320 513 325 528 334 513 342 520 352 507 358 497 349 497 352 493 358 489 353 490 343 488 338 495 338 [[Finland]] poly 179 292 174 292 164 295 156 295 156 292 151 292 151 289 155 286 160 282 164 275 158 271 163 262 170 265 171 260 175 254 178 255 179 261 175 265 176 268 180 268 181 268 186 273 184 281 184 288 [[Ireland]] poly 289 469 287 465 288 456 288 451 286 447 292 443 295 442 297 443 312 426 310 422 308 420 303 407 296 403 292 401 284 407 283 408 283 404 276 404 276 402 276 398 272 395 275 395 278 390 276 385 282 384 289 378 294 385 294 379 300 380 305 373 308 374 315 371 318 371 322 375 331 376 331 382 330 384 324 389 320 389 320 393 323 397 321 399 322 402 317 402 318 414 329 414 329 409 333 412 336 419 339 426 344 432 354 432 358 432 356 435 368 440 375 444 381 448 380 453 374 449 369 447 367 449 362 456 368 461 368 466 364 472 358 477 355 478 353 486 353 491 351 491 351 494 346 494 343 488 332 484 327 483 327 480 333 478 343 479 353 476 358 473 361 468 358 458 355 456 351 449 340 446 338 439 326 438 327 436 319 430 319 429 312 426 298 442 298 446 301 448 299 454 299 467 293 465 [[Italy]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Luxembourg]] poly 395 454 403 443 404 436 411 436 411 433 418 432 422 427 431 424 440 426 442 426 450 422 448 416 455 420 452 426 453 430 448 430 439 430 437 432 430 434 430 441 420 440 420 445 424 449 431 455 439 461 443 465 437 466 437 472 438 496 446 497 453 497 465 497 452 501 439 499 439 496 438 470 434 468 428 471 432 477 426 477 431 486 424 485 416 483 417 477 403 469 408 467 [[Greece]] poly 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[Netherlands]] poly 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Norway]] poly 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Poland]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Portugal]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Spain]] poly 317 250 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Sweden]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Switzerland]] poly 393 272 385 275 371 275 370 207 386 207 408 199 409 190 414 177 418 165 419 156 410 151 409 146 405 138 402 133 399 125 392 115 391 105 391 101 384 100 384 94 385 87 387 82 393 78 398 81 413 81 428 84 436 86 443 91 445 95 445 101 435 109 422 109 414 111 414 113 419 115 422 121 425 129 427 133 432 134 435 134 438 136 445 136 449 132 442 130 437 126 437 123 454 123 457 123 447 113 454 95 465 98 460 85 455 84 452 76 449 71 453 68 461 71 457 77 461 80 468 84 473 80 469 72 473 61 463 56 459 53 459 51 464 48 468 52 465 55 473 63 476 52 478 45 485 49 490 47 487 43 491 40 495 29 500 33 503 29 501 22 490 19 477 17 469 22 464 20 452 22 449 19 450 12 445 3 445 1 454 1 457 7 464 15 475 15 490 15 500 10 518 5 529 4 527 -1 679 -1 679 97 677 101 665 94 665 100 658 101 657 111 652 122 645 138 632 155 635 160 645 159 645 162 638 168 647 173 644 180 658 179 662 184 654 192 647 197 642 197 631 203 630 213 628 218 611 217 597 220 590 227 585 239 585 245 591 254 585 256 579 251 579 261 581 270 582 279 590 282 592 285 598 280 610 286 606 292 613 292 610 302 604 302 608 309 606 321 614 321 620 332 635 342 633 354 623 349 614 349 611 346 603 349 596 354 590 352 582 352 576 356 565 356 561 357 549 353 540 351 535 351 528 349 534 345 538 335 533 330 539 320 537 319 531 323 530 319 536 311 543 311 536 301 533 291 529 289 519 289 519 292 512 288 507 293 495 292 490 286 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[United Kingdom]] desc bottom-right </imagemap> e3ff870e9a82c05bd970b5a3deba729514a00163 80 79 2024-01-23T00:59:28Z Globalvision 2 wikitext text/x-wiki <imagemap> File:Map_EVC2024.png|{{{size|350px}}}|frameless}} rect 221 414 234 427 [[Belgium]] poly 369 415 362 411 356 411 349 406 349 404 351 403 346 399 344 393 340 390 337 396 333 392 333 390 342 388 350 384 350 380 353 376 360 377 366 381 369 382 376 380 379 384 381 391 369 391 359 390 359 392 354 392 353 394 355 402 366 410 370 414 [[Croatia]] poly 330 346 325 344 320 338 320 335 319 329 325 326 335 321 343 323 352 324 354 331 358 327 366 330 369 331 373 336 370 338 365 345 360 347 357 349 349 345 343 346 341 349 337 350 333 348 [[Denmark]] poly 493 335 499 329 507 328 508 320 511 320 513 325 528 334 513 342 520 352 507 358 497 349 497 352 493 358 489 353 490 343 488 338 495 338 [[Finland]] poly 179 292 174 292 164 295 156 295 156 292 151 292 151 289 155 286 160 282 164 275 158 271 163 262 170 265 171 260 175 254 178 255 179 261 175 265 176 268 180 268 181 268 186 273 184 281 184 288 [[Ireland]] poly 289 469 287 465 288 456 288 451 286 447 292 443 295 442 297 443 312 426 310 422 308 420 303 407 296 403 292 401 284 407 283 408 283 404 276 404 276 402 276 398 272 395 275 395 278 390 276 385 282 384 289 378 294 385 294 379 300 380 305 373 308 374 315 371 318 371 322 375 331 376 331 382 330 384 324 389 320 389 320 393 323 397 321 399 322 402 317 402 318 414 329 414 329 409 333 412 336 419 339 426 344 432 354 432 358 432 356 435 368 440 375 444 381 448 380 453 374 449 369 447 367 449 362 456 368 461 368 466 364 472 358 477 355 478 353 486 353 491 351 491 351 494 346 494 343 488 332 484 327 483 327 480 333 478 343 479 353 476 358 473 361 468 358 458 355 456 351 449 340 446 338 439 326 438 327 436 319 430 319 429 312 426 298 442 298 446 301 448 299 454 299 467 293 465 [[Italy]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Luxembourg]] poly 395 454 403 443 404 436 411 436 411 433 418 432 422 427 431 424 440 426 442 426 450 422 448 416 455 420 452 426 453 430 448 430 439 430 437 432 430 434 430 441 420 440 420 445 424 449 431 455 439 461 443 465 437 466 437 472 438 496 446 497 453 497 465 497 452 501 439 499 439 496 438 470 434 468 428 471 432 477 426 477 431 486 424 485 416 483 417 477 403 469 408 467 [[Greece]] poly 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[Netherlands]] poly 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Norway]] poly 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Poland]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Portugal]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Spain]] poly 317 250 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Sweden]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Switzerland]] poly 393 272 385 275 371 275 370 207 386 207 408 199 409 190 414 177 418 165 419 156 410 151 409 146 405 138 402 133 399 125 392 115 391 105 391 101 384 100 384 94 385 87 387 82 393 78 398 81 413 81 428 84 436 86 443 91 445 95 445 101 435 109 422 109 414 111 414 113 419 115 422 121 425 129 427 133 432 134 435 134 438 136 445 136 449 132 442 130 437 126 437 123 454 123 457 123 447 113 454 95 465 98 460 85 455 84 452 76 449 71 453 68 461 71 457 77 461 80 468 84 473 80 469 72 473 61 463 56 459 53 459 51 464 48 468 52 465 55 473 63 476 52 478 45 485 49 490 47 487 43 491 40 495 29 500 33 503 29 501 22 490 19 477 17 469 22 464 20 452 22 449 19 450 12 445 3 445 1 454 1 457 7 464 15 475 15 490 15 500 10 518 5 529 4 527 -1 679 -1 679 97 677 101 665 94 665 100 658 101 657 111 652 122 645 138 632 155 635 160 645 159 645 162 638 168 647 173 644 180 658 179 662 184 654 192 647 197 642 197 631 203 630 213 628 218 611 217 597 220 590 227 585 239 585 245 591 254 585 256 579 251 579 261 581 270 582 279 590 282 592 285 598 280 610 286 606 292 613 292 610 302 604 302 608 309 606 321 614 321 620 332 635 342 633 354 623 349 614 349 611 346 603 349 596 354 590 352 582 352 576 356 565 356 561 357 549 353 540 351 535 351 528 349 534 345 538 335 533 330 539 320 537 319 531 323 530 319 536 311 543 311 536 301 533 291 529 289 519 289 519 292 512 288 507 293 495 292 490 286 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[United Kingdom]] desc bottom-right </imagemap> 309deedfec206bd254b40218c72f7d0fbb8e647d 81 80 2024-01-23T01:02:22Z Globalvision 2 wikitext text/x-wiki <imagemap> File:Map_EVC2024.png|{{{size|350px}}}|frameless}} poly 221 414 234 427 [[Belgium]] poly 369 415 362 411 356 411 349 406 349 404 351 403 346 399 344 393 340 390 337 396 333 392 333 390 342 388 350 384 350 380 353 376 360 377 366 381 369 382 376 380 379 384 381 391 369 391 359 390 359 392 354 392 353 394 355 402 366 410 370 414 [[Croatia]] poly 330 346 325 344 320 338 320 335 319 329 325 326 335 321 343 323 352 324 354 331 358 327 366 330 369 331 373 336 370 338 365 345 360 347 357 349 349 345 343 346 341 349 337 350 333 348 [[Denmark]] poly 493 335 499 329 507 328 508 320 511 320 513 325 528 334 513 342 520 352 507 358 497 349 497 352 493 358 489 353 490 343 488 338 495 338 [[Finland]] poly 179 292 174 292 164 295 156 295 156 292 151 292 151 289 155 286 160 282 164 275 158 271 163 262 170 265 171 260 175 254 178 255 179 261 175 265 176 268 180 268 181 268 186 273 184 281 184 288 [[Ireland]] poly 289 469 287 465 288 456 288 451 286 447 292 443 295 442 297 443 312 426 310 422 308 420 303 407 296 403 292 401 284 407 283 408 283 404 276 404 276 402 276 398 272 395 275 395 278 390 276 385 282 384 289 378 294 385 294 379 300 380 305 373 308 374 315 371 318 371 322 375 331 376 331 382 330 384 324 389 320 389 320 393 323 397 321 399 322 402 317 402 318 414 329 414 329 409 333 412 336 419 339 426 344 432 354 432 358 432 356 435 368 440 375 444 381 448 380 453 374 449 369 447 367 449 362 456 368 461 368 466 364 472 358 477 355 478 353 486 353 491 351 491 351 494 346 494 343 488 332 484 327 483 327 480 333 478 343 479 353 476 358 473 361 468 358 458 355 456 351 449 340 446 338 439 326 438 327 436 319 430 319 429 312 426 298 442 298 446 301 448 299 454 299 467 293 465 [[Italy]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Luxembourg]] poly 395 454 403 443 404 436 411 436 411 433 418 432 422 427 431 424 440 426 442 426 450 422 448 416 455 420 452 426 453 430 448 430 439 430 437 432 430 434 430 441 420 440 420 445 424 449 431 455 439 461 443 465 437 466 437 472 438 496 446 497 453 497 465 497 452 501 439 499 439 496 438 470 434 468 428 471 432 477 426 477 431 486 424 485 416 483 417 477 403 469 408 467 [[Greece]] poly 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[Netherlands]] poly 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Norway]] poly 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Poland]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Portugal]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Spain]] poly 317 250 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Sweden]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Switzerland]] poly 393 272 385 275 371 275 370 207 386 207 408 199 409 190 414 177 418 165 419 156 410 151 409 146 405 138 402 133 399 125 392 115 391 105 391 101 384 100 384 94 385 87 387 82 393 78 398 81 413 81 428 84 436 86 443 91 445 95 445 101 435 109 422 109 414 111 414 113 419 115 422 121 425 129 427 133 432 134 435 134 438 136 445 136 449 132 442 130 437 126 437 123 454 123 457 123 447 113 454 95 465 98 460 85 455 84 452 76 449 71 453 68 461 71 457 77 461 80 468 84 473 80 469 72 473 61 463 56 459 53 459 51 464 48 468 52 465 55 473 63 476 52 478 45 485 49 490 47 487 43 491 40 495 29 500 33 503 29 501 22 490 19 477 17 469 22 464 20 452 22 449 19 450 12 445 3 445 1 454 1 457 7 464 15 475 15 490 15 500 10 518 5 529 4 527 -1 679 -1 679 97 677 101 665 94 665 100 658 101 657 111 652 122 645 138 632 155 635 160 645 159 645 162 638 168 647 173 644 180 658 179 662 184 654 192 647 197 642 197 631 203 630 213 628 218 611 217 597 220 590 227 585 239 585 245 591 254 585 256 579 251 579 261 581 270 582 279 590 282 592 285 598 280 610 286 606 292 613 292 610 302 604 302 608 309 606 321 614 321 620 332 635 342 633 354 623 349 614 349 611 346 603 349 596 354 590 352 582 352 576 356 565 356 561 357 549 353 540 351 535 351 528 349 534 345 538 335 533 330 539 320 537 319 531 323 530 319 536 311 543 311 536 301 533 291 529 289 519 289 519 292 512 288 507 293 495 292 490 286 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[United Kingdom]] desc bottom-right </imagemap> c99f4ea8e6a5b6801678e72e20d86dd2af12b935 82 81 2024-01-23T01:06:04Z Globalvision 2 wikitext text/x-wiki <imagemap> File:Map_OESC_1.svg|{{{size|350px}}}|frameless}} poly 397 453 392 449 387 446 389 434 388 427 385 424 387 419 394 419 399 423 399 431 400 437 405 438 401 447 399 454 [[Albania]] rect 221 414 234 427 [[Andorra]] poly 606 383 603 379 603 375 601 371 613 364 620 366 624 370 628 376 632 376 636 378 638 381 635 386 632 386 627 381 619 381 [[Armenia]] poly 244 323 245 319 252 316 261 316 269 318 267 322 270 325 272 330 266 333 266 338 261 338 261 331 257 334 258 329 252 324 247 323 [[Belgium]] poly 379 419 371 415 361 408 356 402 353 397 353 392 356 390 366 390 376 390 382 391 382 397 386 401 383 406 381 408 378 416 [[Bosnia and Herzegovina]] poly 421 430 421 424 414 420 413 415 418 410 418 405 413 404 410 397 413 395 413 399 430 399 439 397 447 387 457 388 462 391 464 391 464 394 461 396 461 401 459 407 463 412 456 413 449 416 449 417 449 424 440 425 433 424 421 431 [[Bulgaria]] poly 369 415 362 411 356 411 349 406 349 404 351 403 346 399 344 393 340 390 337 396 333 392 333 390 342 388 350 384 350 380 353 376 360 377 366 381 369 382 376 380 379 384 381 391 369 391 359 390 359 392 354 392 353 394 355 402 366 410 370 414 [[Croatia]] poly 530 487 524 482 533 473 544 469 543 480 [[Cyprus]] poly 330 346 325 344 320 338 320 335 319 329 325 326 335 321 343 323 352 324 354 331 358 327 366 330 369 331 373 336 370 338 365 345 360 347 357 349 349 345 343 346 341 349 337 350 333 348 [[Czech Republic]] poly 293 275 291 268 290 266 292 264 289 257 291 248 296 248 300 242 304 242 303 253 306 257 317 261 318 266 318 272 311 277 [[Denmark]] poly 399 454 403 443 404 436 411 436 411 433 418 432 422 427 431 424 440 426 442 426 450 422 448 416 455 420 452 426 453 430 448 430 439 430 437 432 430 434 430 441 420 440 420 445 424 449 431 455 439 461 443 465 437 466 437 472 438 496 446 497 453 497 465 497 452 501 439 499 439 496 438 470 434 468 428 471 432 477 426 477 431 486 424 485 416 483 417 477 403 469 408 467 [[Greece]] poly 179 292 174 292 164 295 156 295 156 292 151 292 151 289 155 286 160 282 164 275 158 271 163 262 170 265 171 260 175 254 178 255 179 261 175 265 176 268 180 268 181 268 186 273 184 281 184 288 [[Ireland]] poly 289 469 287 465 288 456 288 451 286 447 292 443 295 442 297 443 312 426 310 422 308 420 303 407 296 403 292 401 284 407 283 408 283 404 276 404 276 402 276 398 272 395 275 395 278 390 276 385 282 384 289 378 294 385 294 379 300 380 305 373 308 374 315 371 318 371 322 375 331 376 331 382 330 384 324 389 320 389 320 393 323 397 321 399 322 402 317 402 318 414 329 414 329 409 333 412 336 419 339 426 344 432 354 432 358 432 356 435 368 440 375 444 381 448 380 453 374 449 369 447 367 449 362 456 368 461 368 466 364 472 358 477 355 478 353 486 353 491 351 491 351 494 346 494 343 488 332 484 327 483 327 480 333 478 343 479 353 476 358 473 361 468 358 458 355 456 351 449 340 446 338 439 326 438 327 436 319 430 319 429 312 426 298 442 298 446 301 448 299 454 299 467 293 465 [[Italy]] poly 397 410 406 416 407 416 407 422 403 424 399 424 397 428 396 424 391 421 392 416 395 415 [[Kosovo]] poly 558 496 558 486 559 474 564 472 570 476 569 483 566 490 565 495 [[Lebanon]] rect 338 498 350 509 [[Malta]] poly 438 340 440 336 444 335 453 337 458 337 459 335 462 347 467 348 470 355 460 356 463 360 458 371 455 367 453 357 452 353 444 345 [[Moldova]] poly 404 438 399 436 399 428 399 423 408 418 415 418 420 422 420 428 420 432 413 432 409 438 [[FYR Macedonia]] poly 119 467 123 451 117 448 128 427 133 410 140 414 149 415 154 420 147 426 144 440 139 441 140 447 136 454 137 459 132 465 132 468 128 471 [[Portugal]] poly 416 399 412 395 411 390 407 390 401 390 399 385 396 384 395 381 389 376 395 374 399 360 402 356 408 348 415 348 422 346 423 350 426 346 431 345 436 339 445 345 449 352 455 359 453 367 456 373 463 371 470 368 471 375 466 375 464 381 463 391 455 388 448 389 442 392 438 397 [[Romania]] poly 393 272 385 275 371 275 370 207 386 207 408 199 409 190 414 177 418 165 419 156 410 151 409 146 405 138 402 133 399 125 392 115 391 105 391 101 384 100 384 94 385 87 387 82 393 78 398 81 413 81 428 84 436 86 443 91 445 95 445 101 435 109 422 109 414 111 414 113 419 115 422 121 425 129 427 133 432 134 435 134 438 136 445 136 449 132 442 130 437 126 437 123 454 123 457 123 447 113 454 95 465 98 460 85 455 84 452 76 449 71 453 68 461 71 457 77 461 80 468 84 473 80 469 72 473 61 463 56 459 53 459 51 464 48 468 52 465 55 473 63 476 52 478 45 485 49 490 47 487 43 491 40 495 29 500 33 503 29 501 22 490 19 477 17 469 22 464 20 452 22 449 19 450 12 445 3 445 1 454 1 457 7 464 15 475 15 490 15 500 10 518 5 529 4 527 -1 679 -1 679 97 677 101 665 94 665 100 658 101 657 111 652 122 645 138 632 155 635 160 645 159 645 162 638 168 647 173 644 180 658 179 662 184 654 192 647 197 642 197 631 203 630 213 628 218 611 217 597 220 590 227 585 239 585 245 591 254 585 256 579 251 579 261 581 270 582 279 590 282 592 285 598 280 610 286 606 292 613 292 610 302 604 302 608 309 606 321 614 321 620 332 635 342 633 354 623 349 614 349 611 346 603 349 596 354 590 352 582 352 576 356 565 356 561 357 549 353 540 351 535 351 528 349 534 345 538 335 533 330 539 320 537 319 531 323 530 319 536 311 543 311 536 301 533 291 529 289 519 289 519 292 512 288 507 293 495 292 490 286 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[Russia]] rect 317 402 329 414 [[San Marino]] poly 406 421 414 419 411 414 415 409 410 405 410 396 410 394 410 393 406 391 405 392 399 392 399 386 393 382 387 377 379 378 376 381 379 388 381 394 381 399 384 403 384 407 392 415 397 411 400 412 406 418 [[Serbia]] poly 332 384 331 376 337 376 347 375 353 371 356 374 350 378 350 382 346 385 347 389 342 387 339 388 335 388 [[Slovenia]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Spain]] poly 317 250 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Sweden]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Switzerland]] poly 582 375 591 371 596 371 604 374 604 381 605 383 615 383 615 389 618 398 623 405 628 410 625 414 612 416 602 423 593 429 587 437 581 441 574 439 568 447 558 448 561 453 557 459 555 456 557 449 554 448 549 454 540 455 536 464 524 470 515 465 505 464 503 467 503 474 496 476 489 474 473 470 468 463 458 458 461 451 461 444 455 444 455 438 464 433 476 433 477 426 483 421 477 421 464 423 461 430 453 431 454 423 452 418 454 413 460 410 467 414 479 416 497 414 504 402 517 396 530 395 542 395 556 394 563 391 570 387 577 383 [[Turkey]] poly 225 234 219 246 213 252 221 255 225 273 229 280 233 288 229 294 238 294 241 296 241 304 230 311 236 314 225 320 209 318 199 316 197 320 193 318 182 321 192 311 197 310 203 310 208 305 202 308 189 301 199 295 196 284 207 285 212 277 208 267 200 265 188 272 176 266 181 258 189 258 192 268 199 265 199 260 200 251 197 241 201 232 193 223 196 220 206 221 216 220 229 201 226 217 218 223 211 231 [[United Kingdom]] desc bottom-right </imagemap> 56b488c947e5b1471390c959926712a173c28f1d 83 82 2024-01-23T01:06:41Z Globalvision 2 wikitext text/x-wiki <imagemap> File:Map_EVC2024.png|{{{size|350px}}}|frameless}} poly 221 414 234 427 [[Belgium]] poly 369 415 362 411 356 411 349 406 349 404 351 403 346 399 344 393 340 390 337 396 333 392 333 390 342 388 350 384 350 380 353 376 360 377 366 381 369 382 376 380 379 384 381 391 369 391 359 390 359 392 354 392 353 394 355 402 366 410 370 414 [[Croatia]] poly 330 346 325 344 320 338 320 335 319 329 325 326 335 321 343 323 352 324 354 331 358 327 366 330 369 331 373 336 370 338 365 345 360 347 357 349 349 345 343 346 341 349 337 350 333 348 [[Denmark]] poly 493 335 499 329 507 328 508 320 511 320 513 325 528 334 513 342 520 352 507 358 497 349 497 352 493 358 489 353 490 343 488 338 495 338 [[Finland]] poly 179 292 174 292 164 295 156 295 156 292 151 292 151 289 155 286 160 282 164 275 158 271 163 262 170 265 171 260 175 254 178 255 179 261 175 265 176 268 180 268 181 268 186 273 184 281 184 288 [[Ireland]] poly 289 469 287 465 288 456 288 451 286 447 292 443 295 442 297 443 312 426 310 422 308 420 303 407 296 403 292 401 284 407 283 408 283 404 276 404 276 402 276 398 272 395 275 395 278 390 276 385 282 384 289 378 294 385 294 379 300 380 305 373 308 374 315 371 318 371 322 375 331 376 331 382 330 384 324 389 320 389 320 393 323 397 321 399 322 402 317 402 318 414 329 414 329 409 333 412 336 419 339 426 344 432 354 432 358 432 356 435 368 440 375 444 381 448 380 453 374 449 369 447 367 449 362 456 368 461 368 466 364 472 358 477 355 478 353 486 353 491 351 491 351 494 346 494 343 488 332 484 327 483 327 480 333 478 343 479 353 476 358 473 361 468 358 458 355 456 351 449 340 446 338 439 326 438 327 436 319 430 319 429 312 426 298 442 298 446 301 448 299 454 299 467 293 465 [[Italy]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Luxembourg]] poly 395 454 403 443 404 436 411 436 411 433 418 432 422 427 431 424 440 426 442 426 450 422 448 416 455 420 452 426 453 430 448 430 439 430 437 432 430 434 430 441 420 440 420 445 424 449 431 455 439 461 443 465 437 466 437 472 438 496 446 497 453 497 465 497 452 501 439 499 439 496 438 470 434 468 428 471 432 477 426 477 431 486 424 485 416 483 417 477 403 469 408 467 [[Greece]] poly 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[Netherlands]] poly 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Norway]] poly 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Poland]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Portugal]] poly 131 469 137 458 135 455 139 448 137 441 143 441 147 425 153 420 150 415 141 415 134 410 136 401 132 397 142 392 155 398 173 403 187 405 198 409 210 417 220 417 220 426 233 426 233 424 239 424 239 429 248 454 226 465 206 465 195 476 190 476 184 484 160 482 152 484 148 488 144 482 141 474 138 471 133 469 [[Spain]] poly 317 250 313 239 314 235 311 233 309 227 311 223 313 215 318 209 316 199 318 196 314 192 314 183 313 172 313 165 317 162 324 162 324 160 320 155 323 145 324 138 330 131 333 119 337 113 342 107 346 107 348 101 357 103 363 110 365 117 367 121 367 127 373 135 364 136 362 143 358 150 361 152 358 159 353 164 348 172 344 182 344 193 344 199 348 203 356 212 353 221 348 224 360 233 360 243 357 243 356 238 358 232 347 225 346 234 346 243 347 246 345 251 343 257 332 258 331 261 330 268 326 268 321 258 321 255 320 248 [[Sweden]] poly 276 385 274 377 272 377 267 380 268 375 272 371 276 366 277 363 285 363 289 361 293 361 293 363 292 363 292 374 304 374 304 372 306 372 303 377 298 379 294 379 294 384 290 381 287 378 284 381 [[Switzerland]] poly 393 272 385 275 371 275 370 207 386 207 408 199 409 190 414 177 418 165 419 156 410 151 409 146 405 138 402 133 399 125 392 115 391 105 391 101 384 100 384 94 385 87 387 82 393 78 398 81 413 81 428 84 436 86 443 91 445 95 445 101 435 109 422 109 414 111 414 113 419 115 422 121 425 129 427 133 432 134 435 134 438 136 445 136 449 132 442 130 437 126 437 123 454 123 457 123 447 113 454 95 465 98 460 85 455 84 452 76 449 71 453 68 461 71 457 77 461 80 468 84 473 80 469 72 473 61 463 56 459 53 459 51 464 48 468 52 465 55 473 63 476 52 478 45 485 49 490 47 487 43 491 40 495 29 500 33 503 29 501 22 490 19 477 17 469 22 464 20 452 22 449 19 450 12 445 3 445 1 454 1 457 7 464 15 475 15 490 15 500 10 518 5 529 4 527 -1 679 -1 679 97 677 101 665 94 665 100 658 101 657 111 652 122 645 138 632 155 635 160 645 159 645 162 638 168 647 173 644 180 658 179 662 184 654 192 647 197 642 197 631 203 630 213 628 218 611 217 597 220 590 227 585 239 585 245 591 254 585 256 579 251 579 261 581 270 582 279 590 282 592 285 598 280 610 286 606 292 613 292 610 302 604 302 608 309 606 321 614 321 620 332 635 342 633 354 623 349 614 349 611 346 603 349 596 354 590 352 582 352 576 356 565 356 561 357 549 353 540 351 535 351 528 349 534 345 538 335 533 330 539 320 537 319 531 323 530 319 536 311 543 311 536 301 533 291 529 289 519 289 519 292 512 288 507 293 495 292 490 286 483 286 480 278 475 275 472 279 467 279 464 285 456 276 455 271 462 271 464 267 455 261 448 253 443 245 436 245 436 247 431 243 424 243 419 234 416 226 413 218 412 209 413 202 419 199 427 196 416 193 414 191 409 191 408 198 388 206 370 207 371 269 380 269 380 266 381 264 389 265 394 266 [[United Kingdom]] desc bottom-right </imagemap> be25d637662e0c4c667ca8e9e03bcc4f21e6c601 File:Map EVC2024.png 6 53 78 2024-01-23T00:58:05Z Globalvision 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Template:Escyr 10 54 85 2024-01-23T03:17:58Z Globalvision 2 Created page with "[[{{#switch: {{lc:{{{2|}}}}} | as | asiavoice | asvc = Asiavoice Song Contest | af | afvc = Afrivoice Song Contest | amerivoice | am | amvc = Amerivoice Song Contest | dancers | Eurovoice Song Contest}} {{{1|}}}|{{#if: {{{3|}}}| {{{3|}}}|{{{1|}}}}}]]<noinclude> {{Documentation}} </noinclude>" wikitext text/x-wiki [[{{#switch: {{lc:{{{2|}}}}} | as | asiavoice | asvc = Asiavoice Song Contest | af | afvc = Afrivoice Song Contest | amerivoice | am | amvc = Amerivoice Song Contest | dancers | Eurovoice Song Contest}} {{{1|}}}|{{#if: {{{3|}}}| {{{3|}}}|{{{1|}}}}}]]<noinclude> {{Documentation}} </noinclude> a3ce7f3573def024b18384a992353a12e1904306 Template:Lang 10 55 86 2024-01-23T03:23:43Z Globalvision 2 Created page with "<includeonly>{{#invoke:Lang|{{{fn|lang}}}}}</includeonly><noinclude> {{Documentation}} </noinclude>" wikitext text/x-wiki <includeonly>{{#invoke:Lang|{{{fn|lang}}}}}</includeonly><noinclude> {{Documentation}} </noinclude> ed35aafbfe8198c5ad80fd861124244d0c7f2742 87 86 2024-01-23T14:15:27Z Globalvision 2 wikitext text/x-wiki <span lang="{{{1}}}" {{#if:{{{rtl|}}}|dir="rtl"}}>{{{2}}}</span>{{category handler | main =[[Category:Articles containing {{#switch:{{{1|}}} |ar = Arabic |es = Spanish |de = German |fr = French |ja = Japanese |zh = Chinese |zh-cn|zh-Hans = simplified Chinese |bg = Bulgarian |cs = Czech |da = Danish |nl = Dutch |et = Estonian |fi = Finnish |el = Greek |hu = Hungarian |ga = Irish |grc = Ancient Greek |la|lat = Latin |cy = Welsh |sl = Slovene |slv = Slovene |en|eng = explicitly cited English |#default = {{#ifexist:Category:Articles containing {{ISO 639 name {{{1|}}}}} language text |{{ISO 639 name {{{1|}}}}} |non-English }} }} language text]] | nocat = {{{nocat|}}} }} d71e8b31e324e066af013f4679460e6229a808c0 Template:Category handler 10 56 88 2024-01-23T14:15:59Z Globalvision 2 Created page with "{{#if: {{#ifeq: {{lc: {{{nocat|}}} }} | true | dontcat <!--"nocat=true", don't categorize--> }}{{#ifeq: {{lc: {{{categories|}}} }} | no | dontcat }}{{#switch: {{lc: {{{category2|¬}}} }} | yes | ¬ = <!--Not defined--> | #default = dontcat <!--"category2 = no/'defined but empty'/'anything'"--> }}{{#switch: {{lc: {{{subpage|}}} }} | no = {{basepage subpage | | dontcat <!--"subpage=no" and on a subpage--> | page = {{{page|}..." wikitext text/x-wiki {{#if: {{#ifeq: {{lc: {{{nocat|}}} }} | true | dontcat <!--"nocat=true", don't categorize--> }}{{#ifeq: {{lc: {{{categories|}}} }} | no | dontcat }}{{#switch: {{lc: {{{category2|¬}}} }} | yes | ¬ = <!--Not defined--> | #default = dontcat <!--"category2 = no/'defined but empty'/'anything'"--> }}{{#switch: {{lc: {{{subpage|}}} }} | no = {{basepage subpage | | dontcat <!--"subpage=no" and on a subpage--> | page = {{{page|}}} <!--For testing--> }} | only = {{basepage subpage | dontcat <!--"subpage=only" and not on a subpage--> | page = {{{page|}}} <!--For testing--> }} }} | <!--Don't categorise (result was "dontcat" or "dontcatdontcat" and so on)--> | <!--Check blacklist--> {{#switch: {{#ifeq: {{lc: {{{nocat|}}} }} | false | <!--"nocat=false", skip blacklist check--> | {{#ifeq: {{lc: {{{categories|}}} }} | yes | <!--Skip blacklist check--> | {{#ifeq: {{lc: {{{category2|}}} }} | yes | <!--Skip blacklist check--> | {{category handler/blacklist| page = {{{page|}}} }} <!--Check blacklist--> }} }} }} | hide = <!--Blacklist returned "hide", don't categorize--> | #default = <!--Check if any namespace parameter is defined--> {{#ifeq: h0#384!5nea+w9 | {{{all| {{{main| {{{talk| {{{user| {{{wikipedia| {{{file| {{{mediawiki| {{{template| {{{help| {{{category| {{{portal| {{{book| {{{other| h0#384!5nea+w9 }}} }}} }}} }}} }}} }}} }}} }}} }}} }}} }}} }}} }}} | <!--No namespace parameters fed, basic usage--> {{namespace detect | main = {{{1|}}} | file = {{{1|}}} | help = {{{1|}}} | category = {{{1|}}} | portal = {{{1|}}} | book = {{{1|}}} | page = {{{page|}}} <!--For testing and demonstration--> }} | <!--Namespace parameters fed, advanced usage. If "data" is a number, return the corresponding numbered parameter, else return "data". --> {{{all|}}}{{category handler/numbered | 1 = {{{1|}}} | 2 = {{{2|}}} | 3 = {{{3|}}} | 4 = {{{4|}}} | 5 = {{{5|}}} | 6 = {{{6|}}} | 7 = {{{7|}}} | 8 = {{{8|}}} | 9 = {{{9|}}} | 10 = {{{10|}}} | data = <!--Check what namespace, and return the data for it. Respecting empty parameters on purpose. --> {{namespace detect | main = {{{main| {{{other|}}} }}} | talk = {{{talk| {{{other|}}} }}} | user = {{{user| {{{other|}}} }}} | wikipedia = {{{wikipedia| {{{project| {{{other|}}} }}} }}} | file = {{{file| {{{image| {{{other|}}} }}} }}} | mediawiki = {{{mediawiki| {{{other|}}} }}} | template = {{{template| {{{other|}}} }}} | help = {{{help| {{{other|}}} }}} | category = {{{category| {{{other|}}} }}} | portal = {{{portal| {{{other|}}} }}} | book = {{{book| {{{other|}}} }}} | other = {{{other|}}} <!--Namespace special or a new namespace--> | page = {{{page|}}} <!--For testing and demonstration--> }} }} }} }} }} c8f32f9abddd8132c94bb74911f4da5a0f8ae562 Template:Namespace detect 10 57 89 2024-01-23T14:16:31Z Globalvision 2 Created page with "{{#switch: {{lc: <!--Lower case the result--> <!--If no or empty "demospace" parameter then detect namespace--> {{#if:{{{demospace|}}} | {{{demospace}}} | {{#if:{{{page|}}} | <!--Detect the namespace in the "page" parameter--> {{#ifeq:{{NAMESPACE:{{{page}}} }}|{{TALKSPACE:{{{page}}} }} | talk | {{SUBJECTSPACE:{{{page}}} }} }} | <!--No "demospace" or "page" parameters, so detect actual namespac..." wikitext text/x-wiki {{#switch: {{lc: <!--Lower case the result--> <!--If no or empty "demospace" parameter then detect namespace--> {{#if:{{{demospace|}}} | {{{demospace}}} | {{#if:{{{page|}}} | <!--Detect the namespace in the "page" parameter--> {{#ifeq:{{NAMESPACE:{{{page}}} }}|{{TALKSPACE:{{{page}}} }} | talk | {{SUBJECTSPACE:{{{page}}} }} }} | <!--No "demospace" or "page" parameters, so detect actual namespace--> {{#ifeq:{{NAMESPACE}}|{{TALKSPACE}} | talk | {{SUBJECTSPACE}} }} }} }} }} <!-- Only one of the lines below will be executed --> <!-- Respecting empty parameters on purpose --> | main <!--"demospace=main" or {{SUBJECTSPACE}}={{ns:0}}=""--> | = {{{main| {{{other|}}} }}} | talk = {{{talk| {{{other|}}} }}} | user = {{{user| {{{other|}}} }}} | wikipedia = {{{wikipedia| {{{other|}}} }}} | file | image = {{{file| {{{image| {{{other|}}} }}} }}} | mediawiki = {{{mediawiki| {{{other|}}} }}} | template = {{{template| {{{other|}}} }}} | help = {{{help| {{{other|}}} }}} | category = {{{category| {{{other|}}} }}} | portal = {{{portal| {{{other|}}} }}} | book = {{{book| {{{other|}}} }}} | other | #default = {{{other|}}} <!--"demospace=other" or a new namespace--> }} 18d6e253aace45a2e090e1b84259441a1b2136d7 Template:Color box 10 58 95 2024-01-23T14:35:32Z Globalvision 2 Created page with "<templatestyles src="Legend/styles.css" /><span class="legend-color" style="{{#if:{{{1|}}}|{{greater color contrast ratio|{{{1}}}|black|white|css=y}} }}{{#if:{{{3|}}}|color:{{{3}}}; }}{{#if:{{{border|}}}|border:1px solid {{{border}}}; }}{{#if:{{{padding|}}}|padding:{{{padding}}};}}">{{#if:{{{2|}}} |{{#if:{{{padding|}}}|{{{2}}}|&nbsp;{{{2}}}&nbsp;}} |&nbsp;}}</span><noinclude> {{documentation}}</noinclude>" wikitext text/x-wiki <templatestyles src="Legend/styles.css" /><span class="legend-color" style="{{#if:{{{1|}}}|{{greater color contrast ratio|{{{1}}}|black|white|css=y}} }}{{#if:{{{3|}}}|color:{{{3}}}; }}{{#if:{{{border|}}}|border:1px solid {{{border}}}; }}{{#if:{{{padding|}}}|padding:{{{padding}}};}}">{{#if:{{{2|}}} |{{#if:{{{padding|}}}|{{{2}}}|&nbsp;{{{2}}}&nbsp;}} |&nbsp;}}</span><noinclude> {{documentation}}</noinclude> 3ae512cce09eab9e599e79e21b13c0190a5f3e27 Eurovoice 2024 0 29 101 100 2024-01-23T16:45:45Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#F2E0CE" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) |- | {{Austria}} || || || |- | {{Belgium}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia}} || || || |- | {{Denmark}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Sweden}} || || || |- | {{United Kingdom}} || || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 20cc1f5d880bc491b2acbff5d6d5efd43491b817 102 101 2024-01-23T16:48:18Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#F2E0CE" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) |- | {{Austria}} || || || |- | {{Belgium}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia}} || || || |- | {{Denmark}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 15115a2132808156f7ccf265a23c4f0232cd47ea 103 102 2024-01-23T16:51:57Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#F2E0CE" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) |- | {{Austria}} || || || |- | {{Belgium}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia}} || || || |- | {{Denmark}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> |- | {{Greece}} || || || |- | {{Iceland}} || || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 49ac672d8bcad228c7974fec734ee20396ee1d93 105 103 2024-01-23T17:00:41Z Globalvision 2 /* Location */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) |- | {{Austria}} || || || |- | {{Belgium}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia}} || || || |- | {{Denmark}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> |- | {{Greece}} || || || |- | {{Iceland}} || || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 45ae7d4d7709cf9a7f70d2de68fe42528705ea74 106 105 2024-01-23T17:02:07Z Globalvision 2 /* Bidding phase */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) |- | {{Austria}} || || || |- | {{Belgium}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia}} || || || |- | {{Denmark}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> |- | {{Greece}} || || || |- | {{Iceland}} || || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 423c9fdaef3b7b0ee39ba087c34724cebf368dd1 107 106 2024-01-23T17:02:33Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | Hosted Eurovoice's inaugural contest in 2024. Strong bid but recent host in 2024. | <ref>Rome's proposal to host again</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) |- | {{Austria}} || || || |- | {{Belgium}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia}} || || || |- | {{Denmark}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> |- | {{Greece}} || || || |- | {{Iceland}} || || || |- | {{Ireland}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy}} || || || |- | {{Luxembourg}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland}} || Zaya Diomnrek || || |- | {{Portugal}} || || || |- | {{Spain}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland}} || Púul & Zoe || || |- | {{United Kingdom}} || St Bernard || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 4a3585caf0349cbcd2d25994d0711675fe8a7310 108 107 2024-01-23T17:03:45Z Globalvision 2 /* Bidding phase */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) |- | {{Austria}} || || || |- | {{Belgium}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia}} || || || |- | {{Denmark}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> |- | {{Greece}} || || || |- | {{Iceland}} || || || |- | {{Ireland}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy}} || || || |- | {{Luxembourg}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland}} || Zaya Diomnrek || || |- | {{Portugal}} || || || |- | {{Spain}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland}} || Púul & Zoe || || |- | {{United Kingdom}} || St Bernard || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] fc97b7fc103d90b5d1a10155763ac1d81f500e02 109 108 2024-01-23T17:08:02Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) |- | {{Austria2024}} || || || |- | {{Belgium2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || |- | {{Denmark2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> |- | {{Greece2024}} || || || |- | {{Iceland2024}} || || || |- | {{Ireland2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || |- | {{Luxembourg2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || |- | {{Portugal2024}} || || || |- | {{Spain2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || |- | {{United Kingdom2024}} || St Bernard || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 54b7ee25d5525c60e85c7251c41e6f34b5b5962e 132 109 2024-01-23T17:53:39Z Globalvision 2 /* Participating Countries */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 9cfad12953bdfc77700e93788e26f0722cc6ecb0 133 132 2024-01-23T17:55:15Z Globalvision 2 /* Participating Countries */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=3" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] c8c332ddbe3e1bec233740aa5b5bcca900a9e0bb 134 133 2024-01-23T17:56:43Z Globalvision 2 /* Participating Countries */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC2024 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 8f3cf5efd307d191d8632d85a4d90a33a63a3b59 136 134 2024-01-23T18:35:43Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === {{Location map many|Sweden|width=225px|float=right|caption=Location of host city Malmö (in blue), shortlisted cities (in green), other bidding cities (in red) and cities and towns that expressed interest but ultimately did not bid (in grey)|places= |label1=<u>'''[[Malmö]]'''</u>|lat1=55.605833|long1=13.035833|postition1=right|mark1=Blue pog.svg |label2={{small|[[Stockholm]]}}|lat2=59.329444|long2=18.068611|position2=right|mark2=Green pog.svg |label3={{small|[[Partille]]}}|lat3=57.7395|long3=12.10642|position3=top|mark3=Black pog x.svg |label4={{small|[[Gothenburg]]}}|lat4=57.7|long4=11.966667|position4=bottom|mark4=Red pog.svg |label5={{small|[[Örnsköldsvik]]}}|lat5=63.290833|long5=18.715556|position5=left|mark5=Red pog.svg |label6={{small|[[Eskilstuna]]}}|coordinates6={{coord|59|22|15|N|16|30|35|E}}|position6=left|mark6=Black pog x.svg |label7={{small|[[Jönköping]]}}|coordinates7={{coord|57|46|58|N|14|09|38|E}}|position7=right|mark7=Black pog x.svg |label8={{small|[[Sandviken]]}}|lat8=60.6467|long8=16.7667|position8=left|mark8=Black pog x.svg }} Immediately after Sweden's win in the 2023 contest, the first cities to voice their interest in hosting the 2024 edition were [[Stockholm]], [[Gothenburg]] and Malmö, the three largest cities in the country as well as the ones to have previously hosted the contest. Besides these, a number of other cities also expressed their intention to bid in the days that followed the 2023 victory, namely [[Eskilstuna]], [[Jönköping]], [[Örnsköldsvik]], [[Partille]] and [[Sandviken]].<ref>{{Cite web |last=Kurris |first=Dennis |date=2023-06-12 |title=Eurovision 2024: Last day for Swedish cities to submit hosting bids |url=https://www.esc-plus.com/eurovision-2024-last-day-to-submit-hosting-bids-for-swedish-cities/ |access-date=2023-06-15 |website=ESCplus}}</ref> SVT set a deadline of 12 June 2023 for interested cities to formally apply.<ref name="Gothenburg">{{Cite web |last=Andersson |first=Rafaell |date=2023-06-10 |title=Eurovision 2024: Gothenburg Prepares Bid To Host |url=https://eurovoix.com/2023/06/10/eurovision-2024-gothenburg-prepares-bid-to-host/ |access-date=2023-06-10 |website=Eurovoix}}</ref> Stockholm and Gothenburg officially announced their bids on 7 and 10 June respectively,<ref>{{Cite web |date=2023-06-07 |title=Stockholm vill ha Eurovision Song Contest |trans-title=Stockholm wants the Eurovision Song Contest|url=https://www.expressen.se/noje/stockholm-vill-ha-eurovision/ |access-date=2023-06-08 |website=[[Expressen]] |language=sv}}</ref><ref name="Gothenburg"/> followed by Malmö and Örnsköldsvik on 13 June.<ref>{{cite news |last=Ahlinder |first=Stina |date=2023-06-13 |url=https://www.svt.se/nyheter/lokalt/vasternorrland/ornskoldsvik-kommun-har-ansokt-om-att-fa-arrangera-eurovision |title=Örnsköldsvik kommun ansöker om att arrangera Eurovision 2024 |language=sv |trans-title=Örnsköldsvik Municipality applies to organize Eurovision 2024 |work=[[SVT Nyheter]] |publisher=SVT |access-date=2023-06-13}}</ref><ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-13 |title=Eurovision 2024: Malmö Enters the Race to Host Eurovision for a Third Time |url=https://eurovoix.com/2023/06/13/eurovision-2024-malmo-bid/ |access-date=2023-06-21 |website=Eurovoix }}</ref> Shortly before the closing of the application period, SVT revealed that it had received several bids,<ref name="Alverland">{{cite AV media |date=2023-06-12 |last=Alverland |first=Fredrik |title=Flera i kampen att få vara värdstad för Eurovision – "Kort om tid" |trans-title=Several cities in the running to be the host city for Eurovision – "Little time left" |url=https://sverigesradio.se/artikel/flera-i-kampen-att-fa-vara-vardstad-for-eurovision-kort-om-tid |access-date=2023-06-12 |publisher=[[Sveriges Radio]] |language=sv}}</ref> later clarifying that they had come from these four cities.<ref>{{cite web|url=https://www.svt.se/kultur/fyra-stader-som-slass-om-eurovision-song-contest-2024|date=2023-06-21|title=Fyra städer som slåss om Eurovision Song Contest 2024|trans-title=Four cities fighting for the Eurovision Song Contest 2024|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-21}}</ref><ref>{{cite news|first1=Karin|last1=Avenäs|first2=Jakob|last2=Eidenskog|url=https://www.svt.se/nyheter/lokalt/vast/politisk-majoritet-i-goteborg-vill-arrangera-eurovision-song-contest|date=2023-06-28|title=Politisk majoritet i Göteborg vill arrangera Eurovision Song Contest|trans-title=The political majority in Gothenburg wants to organise the Eurovision Song Contest|language=sv|work=SVT Nyheter|publisher=SVT|access-date=2023-06-28}}</ref> Prior to this announcement, Sandviken and Jönköping had already declared to have opted out.<ref>{{Cite web |last=Granger |first=Anthony |date=2023-06-08 |title=Eurovision 2024: Sandviken Will Not Progress With Bid to Host |url=https://eurovoix.com/2023/06/08/eurovision-2024-sandviken-bid-to-host/ |access-date=2023-06-08 |website=Eurovoix}}</ref><ref>{{cite AV media |date=2023-06-13 |last=Isaksson |first=Simon |title=Problemet som satte stopp för Eurovision i Jönköping |trans-title=The problem which put an end to Eurovision in Jönköping |url=https://sverigesradio.se/artikel/problemet-som-satte-stopp-for-eurovision-i-jonkoping |access-date=2023-06-13 |publisher=Sveriges Radio |language=sv}}</ref> On 7 July, Gothenburg and Örnsköldsvik's bids were reported to have been eliminated.<ref name="Shortlist">{{Cite web |last1=Månsson |first1=Annie |last2=Ek |first2=Torbjörn |date=2023-07-07 |title=Varken Göteborg eller Örnsköldsvik får Eurovision song contest 2024 |trans-title=Neither Gothenburg nor Örnsköldsvik will host the Eurovision Song Contest in 2024 |url=https://www.aftonbladet.se/nojesbladet/melodifestivalen/a/pQOkGW/goteborg-och-ornskoldsvik-far-inte-eurovision |access-date=2023-07-07 |language=SV |website=Aftonbladet}}</ref> Later that day, the EBU and SVT announced Malmö as the host city.<ref name=":0" /><ref>{{Cite web |last1=Lindstedt |first1=Moa |last2=Lindgren |first2=Hannah |date=2023-07-07 |title=Klart: Eurovision Song Contest 2024 arrangeras i Malmö |trans-title=Clear: Eurovision Song Contest 2024 will be arranged in Malmö |url=https://www.svt.se/kultur/klart-var-eurovision-song-contest-2024-arrangeras |access-date=2023-07-07 |website=SVT Nyheter |publisher=SVT |language=sv}}</ref> '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 0d4f8e65047d96a1d5c4cc323b9007d77b95672f 139 136 2024-01-23T18:51:42Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. == Location == [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans.<ref name="volunteer">{{Cite web |title=Bli volontär för Eurovision 2024 |trans-title=Become a volunteer for Eurovision 2024 |url=https://malmo.se/Eurovision-2024/Volontar.html |access-date=2023-12-11 |website=malmo.se |publisher=[[Malmö Municipality]] |language=sv}}</ref> The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. === Bidding phase === '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 7de1ccc0df796c944e59f72bbf6953fa263fb69e 140 139 2024-01-23T19:01:22Z Globalvision 2 /* Location */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]] ==Host City== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] f5371e5b3fcda6b5a08f5e3d75023841a52080d8 141 140 2024-01-23T19:06:19Z Globalvision 2 /* Location */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ==Host City== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 40e52f0be4c6bc0758f4b0c019d619b64ef78de4 142 141 2024-01-23T19:06:51Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 032bdeafcd8aca98f367b61af7377e51c3dd02ca 143 142 2024-01-23T19:08:13Z Globalvision 2 /* Host City */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === <nowiki>*</nowiki> The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. <nowiki>*</nowiki> The arena had to be able to offer lodges adjacent to the stadium. <nowiki>*</nowiki> A press centre had to be available at the stadium that will have a specific size. <nowiki>*</nowiki> RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. <nowiki>*</nowiki> The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 2f911d2cc334e004e5aec16f26d247e7ab37f4f2 144 143 2024-01-23T19:09:39Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in the first edition. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] e33c66c690f607240655ac91f27b8bd91a8cca68 145 144 2024-01-23T23:18:59Z Globalvision 2 /* Participating Countries */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] fccdef02aa92dc0d6030514c15e0f4a79bef822d 146 145 2024-01-23T23:23:59Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== {{location map+|Italy | width = 200 | float = right | caption = Locations of the candidate cities. | places ={{location map~ |Italy|lat=40.845|long=14.258333|label=Naples|position=left}} <big>'''{{location map~ |Italy|lat=45.466667|long=9.183333|label=Milan|position=bottom}}'''</big> {{location map~ |Italy |lat=41.9|long=12.5|label=Rome|position=left}} }} The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] 8bfba23db787fbeff04610ada65d8adfa5b04b64 Template:Legend/styles.css 10 59 104 2024-01-23T16:59:20Z Globalvision 2 Created page with "/* {{pp-template}} */ .legend { page-break-inside: avoid; break-inside: avoid-column; } .legend-color { display: inline-block; min-width: 1.25em; height: 1.25em; line-height: 1.25; margin: 1px 0; text-align: center; border: 1px solid black; background-color: transparent; color: black; } .legend-text {/*empty for now, but part of the design!*/}" sanitized-css text/css /* {{pp-template}} */ .legend { page-break-inside: avoid; break-inside: avoid-column; } .legend-color { display: inline-block; min-width: 1.25em; height: 1.25em; line-height: 1.25; margin: 1px 0; text-align: center; border: 1px solid black; background-color: transparent; color: black; } .legend-text {/*empty for now, but part of the design!*/} f55cad65402533fc931db7fefc801536194952d7 Template:Austria 10 10 110 12 2024-01-23T17:16:32Z Globalvision 2 wikitext text/x-wiki [[File:Flag of Austria.svg|23px|border|link=]] [[Austria in Eurovoice 2024|Austria]] 2f604118fcaab2a9d090c3e2e7082c83e9ac1a57 111 110 2024-01-23T17:16:55Z Globalvision 2 wikitext text/x-wiki [[File:Flag of Austria.svg|23px|border|link=]] [[Austria]] b70ca5057e17d38f36faeab0a566c22a46ec5b2c Template:Switzerland2024 10 60 112 2024-01-23T17:22:52Z Globalvision 2 Created page with "[[File:Flag of Switzerland.svg|23px|border|link=]] [[Switzerland in Eurovoice 2024|Switzerland]]" wikitext text/x-wiki [[File:Flag of Switzerland.svg|23px|border|link=]] [[Switzerland in Eurovoice 2024|Switzerland]] b9bb46fda39107e5d48f38a9cc25f393a517c83c Template:Sweden2024 10 61 113 2024-01-23T17:22:57Z Globalvision 2 Created page with "[[File:Flag of Sweden.svg|23px|border|link=]] [[Sweden in Eurovoice 2024|Sweden]]" wikitext text/x-wiki [[File:Flag of Sweden.svg|23px|border|link=]] [[Sweden in Eurovoice 2024|Sweden]] fc75cd9e858df2eda3842c1c167f143c2b795ddb Template:Spain2024 10 62 114 2024-01-23T17:22:59Z Globalvision 2 Created page with "[[File:Flag of Spain.svg|23px|border|link=]] [[Spain in Eurovoice 2024|Spain]]" wikitext text/x-wiki [[File:Flag of Spain.svg|23px|border|link=]] [[Spain in Eurovoice 2024|Spain]] a9cbb83df862fa5c3a061b943738b2d9610422d5 Template:Portugal2024 10 63 115 2024-01-23T17:23:02Z Globalvision 2 Created page with "[[File:Flag of Portugal.svg|23px|border|link=]] [[Portugal in Eurovoice 2024|Portugal]]" wikitext text/x-wiki [[File:Flag of Portugal.svg|23px|border|link=]] [[Portugal in Eurovoice 2024|Portugal]] 2d1feb733ed6054c0ec89269edec3d9b1fb49476 Template:Poland2024 10 64 116 2024-01-23T17:23:04Z Globalvision 2 Created page with "[[File:Flag of Poland.svg|23px|border|link=]] [[Poland in Eurovoice 2024|Poland]]" wikitext text/x-wiki [[File:Flag of Poland.svg|23px|border|link=]] [[Poland in Eurovoice 2024|Poland]] 133fc49bf6347842c12ce5ff9bfb16be228e2782 Template:Norway2024 10 65 117 2024-01-23T17:23:07Z Globalvision 2 Created page with "[[File:Flag of Norway.svg|23px|border|link=]] [[Norway in Eurovoice 2024|Norway]]" wikitext text/x-wiki [[File:Flag of Norway.svg|23px|border|link=]] [[Norway in Eurovoice 2024|Norway]] c36a3ed8644cbe0e39e0a7d8d5c9f30f44720796 Template:Netherlands2024 10 66 118 2024-01-23T17:23:10Z Globalvision 2 Created page with "[[File:Flag of Netherlands.svg|23px|border|link=]] [[Netherlands in Eurovoice 2024|Netherlands]]" wikitext text/x-wiki [[File:Flag of Netherlands.svg|23px|border|link=]] [[Netherlands in Eurovoice 2024|Netherlands]] 0fe4509880fb287b61d0089cc9e3df0836f83634 Template:Luxembourg2024 10 67 119 2024-01-23T17:23:17Z Globalvision 2 Created page with "[[File:Flag of Luxembourg.svg|23px|border|link=]] [[Luxembourg in Eurovoice 2024|Luxembourg]]" wikitext text/x-wiki [[File:Flag of Luxembourg.svg|23px|border|link=]] [[Luxembourg in Eurovoice 2024|Luxembourg]] d7706c15f33ec3dd50d70aa09890a39ec1b44c4f Template:Italy2024 10 68 120 2024-01-23T17:23:17Z Globalvision 2 Created page with "[[File:Flag of Italy.svg|23px|border|link=]] [[Italy in Eurovoice 2024|Italy]]" wikitext text/x-wiki [[File:Flag of Italy.svg|23px|border|link=]] [[Italy in Eurovoice 2024|Italy]] 32dbb9189307c0b301bbfcafd3c6bcf75e2186fd Template:Ireland2024 10 69 121 2024-01-23T17:23:19Z Globalvision 2 Created page with "[[File:Flag of Ireland.svg|23px|border|link=]] [[Ireland in Eurovoice 2024|Ireland]]" wikitext text/x-wiki [[File:Flag of Ireland.svg|23px|border|link=]] [[Ireland in Eurovoice 2024|Ireland]] 44f76da003bab3b2ac007151144937294cbf90c4 Template:Iceland2024 10 70 122 2024-01-23T17:23:22Z Globalvision 2 Created page with "[[File:Flag of Iceland.svg|23px|border|link=]] [[Iceland in Eurovoice 2024|Iceland]]" wikitext text/x-wiki [[File:Flag of Iceland.svg|23px|border|link=]] [[Iceland in Eurovoice 2024|Iceland]] 1f7e862a8ce1ff68c4ea9370652d65dbbcb14660 Template:Greece2024 10 71 123 2024-01-23T17:23:27Z Globalvision 2 Created page with "[[File:Flag of Greece.svg|23px|border|link=]] [[Greece in Eurovoice 2024|Greece]]" wikitext text/x-wiki [[File:Flag of Greece.svg|23px|border|link=]] [[Greece in Eurovoice 2024|Greece]] 1a0802e14ed6e6bdb43105f171da5234cb3d03a8 Template:Germany2024 10 72 124 2024-01-23T17:23:29Z Globalvision 2 Created page with "[[File:Flag of Germany.svg|23px|border|link=]] [[Germany in Eurovoice 2024|Germany]]" wikitext text/x-wiki [[File:Flag of Germany.svg|23px|border|link=]] [[Germany in Eurovoice 2024|Germany]] 3a312073300d9e35a69a4f669ebc1ed1ff3a0b6e Template:France2024 10 73 125 2024-01-23T17:23:31Z Globalvision 2 Created page with "[[File:Flag of France.svg|23px|border|link=]] [[France in Eurovoice 2024|France]]" wikitext text/x-wiki [[File:Flag of France.svg|23px|border|link=]] [[France in Eurovoice 2024|France]] b3d4f4cc88ba8a9d426e3db61c8027fa84f3f981 Template:Finland2024 10 74 126 2024-01-23T17:23:36Z Globalvision 2 Created page with "[[File:Flag of Finland.svg|23px|border|link=]] [[Finland in Eurovoice 2024|Finland]]" wikitext text/x-wiki [[File:Flag of Finland.svg|23px|border|link=]] [[Finland in Eurovoice 2024|Finland]] fe0616b1a819d9603ce7b6c938c5f2e17d336e6b Template:Denmark2024 10 75 127 2024-01-23T17:23:38Z Globalvision 2 Created page with "[[File:Flag of Denmark.svg|23px|border|link=]] [[Denmark in Eurovoice 2024|Denmark]]" wikitext text/x-wiki [[File:Flag of Denmark.svg|23px|border|link=]] [[Denmark in Eurovoice 2024|Denmark]] b40abd357890d3cf98ae3cde47f8ee820ebedfe5 Template:Croatia2024 10 76 128 2024-01-23T17:23:39Z Globalvision 2 Created page with "[[File:Flag of Croatia.svg|23px|border|link=]] [[Croatia in Eurovoice 2024|Croatia]]" wikitext text/x-wiki [[File:Flag of Croatia.svg|23px|border|link=]] [[Croatia in Eurovoice 2024|Croatia]] 687327cdcee9c9914eeff1753a6e9538f1ae5905 Template:Belgium2024 10 77 129 2024-01-23T17:23:43Z Globalvision 2 Created page with "[[File:Flag of Belgium.svg|23px|border|link=]] [[Belgium in Eurovoice 2024|Belgium]]" wikitext text/x-wiki [[File:Flag of Belgium.svg|23px|border|link=]] [[Belgium in Eurovoice 2024|Belgium]] 06770cc6bc11ee57f5cd493b332c14c154c8bf70 Template:United Kingdom2024 10 78 130 2024-01-23T17:23:47Z Globalvision 2 Created page with "[[File:Flag of United Kingdom.svg|23px|border|link=]] [[United Kingdom in Eurovoice 2024|United Kingdom]]" wikitext text/x-wiki [[File:Flag of United Kingdom.svg|23px|border|link=]] [[United Kingdom in Eurovoice 2024|United Kingdom]] bbaefe3c825856d4becc9d020fd0ac2f45ad27f4 Template:Austria2024 10 79 131 2024-01-23T17:23:47Z Globalvision 2 Created page with "[[File:Flag of Austria.svg|23px|border|link=]] [[Austria in Eurovoice 2024|Austria]]" wikitext text/x-wiki [[File:Flag of Austria.svg|23px|border|link=]] [[Austria in Eurovoice 2024|Austria]] 2f604118fcaab2a9d090c3e2e7082c83e9ac1a57 File:EVC01.webp 6 80 135 2024-01-23T18:35:24Z Penguinx 6 wikitext text/x-wiki yes yes yes icecream so good 5a191e0b109c610605a0e86a263294273aa8c242 Template:Infobox edition/EVC01 10 81 137 2024-01-23T18:36:47Z Penguinx 6 Created page with "[[File:EVC01.webp|350px]]" wikitext text/x-wiki [[File:EVC01.webp|350px]] 016389d8db471d3f2f2cb4ce1ed30e4362698153 Template:Location map many 10 82 138 2024-01-23T18:50:22Z Penguinx 6 Created page with "<includeonly>{{#ifeq:{{{float|}}}|center|<div class="center"> }}<div {{#if:{{{caption|}}}|class="thumb {{#switch:{{{float|}}} | "left" | left = tleft | "right" | right = tright | "center" | center = tnone | "none" | none = tnone | #default = tright }}" | style="width:{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}}px; {{#switch:{{{float|}}} | "left" | left = float: lef..." wikitext text/x-wiki <includeonly>{{#ifeq:{{{float|}}}|center|<div class="center"> }}<div {{#if:{{{caption|}}}|class="thumb {{#switch:{{{float|}}} | "left" | left = tleft | "right" | right = tright | "center" | center = tnone | "none" | none = tnone | #default = tright }}" | style="width:{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}}px; {{#switch:{{{float|}}} | "left" | left = float: left; clear: left | "right" | right = float: right; clear: right | "center" | center = float: none; clear: both; margin-left: auto; margin-right: auto | "none" | none = float: none; clear: none | #default = float: right; clear: right}}" }}> <div {{#if:{{{caption|}}} | class="thumbinner" style="width:{{#expr:{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}} + 2 }}px; {{#if:{{{border|}}}|{{#ifeq:{{{border|}}}|none|border: none|border-color:{{{border}}}}};}}" | style="width:{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}}px; padding:0" }}> <div style="position: relative; {{#if:{{{caption|}}} | {{#if:{{{border|}}} | {{#ifeq:{{{border|}}}|none||border: 1px solid lightgray}} | border: 1px solid lightgray}}}}"><!-- -->[[file:{{#if:{{{AlternativeMap|}}}|{{{AlternativeMap}}}|{{#if:{{{relief|}}}|{{#if:{{Location map {{{1}}}|image1}}|{{Location map {{{1}}}|image1}}|{{Location map {{{1|}}}|image}} }}|{{Location map {{{1|}}}|image}} }} }}|{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}}px|{{#if:{{{alt|}}}|{{{alt}}}|{{#if:{{{label|}}}|{{{label}}}|{{PAGENAME}}}} is located in {{Location map {{{1}}}|name}}}}]]<!-- -->{{#if:{{{overlay_image|}}} | <div style="position:absolute; z-index: 1; top: 0; left: 0">[[File:{{{overlay_image}}} |{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}}px|link=file:{{#if: {{{AlternativeMap|}}}|{{{AlternativeMap}}} |{{#if: {{{relief|}}}|{{#if: {{Location map {{{1}}}|image1}}|{{Location map {{{1}}}|image1}}|{{Location map {{{1|}}}|image}} }}|{{Location map {{{1|}}}|image}} }} }}]]</div>}}<!-- -->{{{places|}}}<!-- --></div> <div {{#if:{{{caption|}}}|class="thumbcaption"|style="font-size: 90%; padding-top:3px"}}>{{#if:{{{caption_undefined|}}} | {{#if: {{{label|}}} | {{{label}}} | {{PAGENAME}} }} ({{Location map {{{1}}}|name}}) | {{{caption|{{#if: {{{label|}}} | {{{label}}} | {{PAGENAME}} }} ({{Location map {{{1}}}|name}}) }}} }} </div> </div> </div>{{#ifeq:{{{float|}}}|center| </div>}}</includeonly><noinclude>{{documentation}}</noinclude> 32f3d949bdc7973d41ed44abc2c77bcbbb6146f3 Template:Location map+ 10 83 147 2024-01-23T23:24:49Z Globalvision 2 Created page with "<includeonly>{{#ifeq:{{{float|}}}|center|<div class="center"> }}<div {{#if:{{{caption|}}}|class="thumb {{#switch:{{{float|}}} | "left" | left = tleft | "right" | right = tright | "center" | center = tnone | "none" | none = tnone | #default = tright }}" | style="width:{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}}px; {{#switch:{{{float|}}} | "left" | left = float: lef..." wikitext text/x-wiki <includeonly>{{#ifeq:{{{float|}}}|center|<div class="center"> }}<div {{#if:{{{caption|}}}|class="thumb {{#switch:{{{float|}}} | "left" | left = tleft | "right" | right = tright | "center" | center = tnone | "none" | none = tnone | #default = tright }}" | style="width:{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}}px; {{#switch:{{{float|}}} | "left" | left = float: left; clear: left | "right" | right = float: right; clear: right | "center" | center = float: none; clear: both; margin-left: auto; margin-right: auto | "none" | none = float: none; clear: none | #default = float: right; clear: right}}" }}> <div {{#if:{{{caption|}}} | class="thumbinner" style="width:{{#expr:{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}} + 2 }}px; {{#if:{{{border|}}}|{{#ifeq:{{{border|}}}|none|border: none|border-color:{{{border}}}}};}}" | style="width:{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}}px; padding:0" }}> <div style="position: relative; {{#if:{{{caption|}}} | {{#if:{{{border|}}} | {{#ifeq:{{{border|}}}|none||border: 1px solid lightgray}} | border: 1px solid lightgray}}}}"><!-- -->[[file:{{#if:{{{AlternativeMap|}}}|{{{AlternativeMap}}}|{{#if:{{{relief|}}}|{{#if:{{Location map {{{1}}}|image1}}|{{Location map {{{1}}}|image1}}|{{Location map {{{1|}}}|image}} }}|{{Location map {{{1|}}}|image}} }} }}|{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}}px|{{#if:{{{alt|}}}|{{{alt}}}|{{#if:{{{label|}}}|{{{label}}}|{{PAGENAME}}}} is located in {{Location map {{{1}}}|name}}}}]]<!-- -->{{#if:{{{overlay_image|}}} | <div style="position:absolute; z-index: 1; top: 0; left: 0">[[File:{{{overlay_image}}} |{{#if:{{{width|}}}|{{{width}}}|{{#if:{{Location map {{{1}}}|defaultwidth}}|{{Location map {{{1}}}|defaultwidth}}|240}}}}px|link=file:{{#if: {{{AlternativeMap|}}}|{{{AlternativeMap}}} |{{#if: {{{relief|}}}|{{#if: {{Location map {{{1}}}|image1}}|{{Location map {{{1}}}|image1}}|{{Location map {{{1|}}}|image}} }}|{{Location map {{{1|}}}|image}} }} }}]]</div>}}<!-- -->{{{places|}}}<!-- --></div> <div {{#if:{{{caption|}}}|class="thumbcaption"|style="font-size: 90%; padding-top:3px"}}>{{#if:{{{caption_undefined|}}} | {{#if: {{{label|}}} | {{{label}}} | {{PAGENAME}} }} ({{Location map {{{1}}}|name}}) | {{{caption|{{#if: {{{label|}}} | {{{label}}} | {{PAGENAME}} }} ({{Location map {{{1}}}|name}}) }}} }} </div> </div> </div>{{#ifeq:{{{float|}}}|center| </div>}}</includeonly><noinclude>{{documentation}}</noinclude> 32f3d949bdc7973d41ed44abc2c77bcbbb6146f3 Template:Location map Italy 10 84 148 2024-01-23T23:25:32Z Globalvision 2 Created page with "{{#switch:{{{1}}} | name = Italy | top = 47.4 | bottom = 35.3 | left = 6.2 | right = 19.0 | image =Italy_provincial_location_map.svg.png | image1 = Italy relief location map.jpg | image2 =Italy_location_map.svg }}<noinclude> {{Location map/Info}} </noinclude>" wikitext text/x-wiki {{#switch:{{{1}}} | name = Italy | top = 47.4 | bottom = 35.3 | left = 6.2 | right = 19.0 | image =Italy_provincial_location_map.svg.png | image1 = Italy relief location map.jpg | image2 =Italy_location_map.svg }}<noinclude> {{Location map/Info}} </noinclude> cb3ff2ec5deaac619313dbee1a28fb975f00f2aa Template:Location map/Info 10 85 149 2024-01-23T23:27:12Z Globalvision 2 Created page with "<includeonly><div id="contentSub"><span class="subpages">< [[Template:Location map]]</span></div><!-- Automatically add {{pp-template}} to protected templates. -->{{template other | {{#ifeq: {{PROTECTIONLEVEL:move}} | sysop | {{pp-template}} | {{#if: {{PROTECTIONLEVEL:edit}} | {{pp-template}} | <!--Not protected, or only semi-move-protected--> }} }} }} {| class="wikitable" style="text-align:center; margin-top:0;" |+ Location map of {{{{BASEPAGENAME}}|..." wikitext text/x-wiki <includeonly><div id="contentSub"><span class="subpages">< [[Template:Location map]]</span></div><!-- Automatically add {{pp-template}} to protected templates. -->{{template other | {{#ifeq: {{PROTECTIONLEVEL:move}} | sysop | {{pp-template}} | {{#if: {{PROTECTIONLEVEL:edit}} | {{pp-template}} | <!--Not protected, or only semi-move-protected--> }} }} }} {| class="wikitable" style="text-align:center; margin-top:0;" |+ Location map of {{{{BASEPAGENAME}}|name}} |- ! name |colspan="3"| [[{{{{BASEPAGENAME}}|name}}]] |- {{#if:{{{{BASEPAGENAME}}|top}}| !rowspan="4"{{!}}border<br/>coordinates {{!}}- {{!}}colspan="3"{{!}} {{{{BASEPAGENAME}}|top}} {{!}}- {{!}}style="width:7em;"{{!}} {{{{BASEPAGENAME}}|left}} {{!}} ←↕→ {{!}}style="width:7em;"{{!}} {{{{BASEPAGENAME}}|right}} {{#ifexpr: {{{{BASEPAGENAME}}|right}} > 180 | ({{#expr: {{{{BASEPAGENAME}}|right}} - 360 }})}} {{!}}- {{!}}colspan="3"{{!}} {{{{BASEPAGENAME}}|bottom}} {{!}}- ! map center {{!}}colspan="4"{{!}} {{coord|{{#expr:({{{{BASEPAGENAME}}|top}}+{{{{BASEPAGENAME}}|bottom}})/2}}|{{#expr:({{{{BASEPAGENAME}}|left}}+{{{{BASEPAGENAME}}|right}} {{#ifexpr:{{{{BASEPAGENAME}}|right}}< {{{{BASEPAGENAME}}|left}}| + 360}})/2}}}} {{!}}- }} {{#if:{{{{BASEPAGENAME}}|x}}| ! x {{!}}colspan="3" style="overflow: auto; white-space: auto; width: 350px"{{!}} {{{{BASEPAGENAME}}|x}} {{!}}- ! y {{!}}colspan="3" style="overflow: auto; white-space: auto; width: 350px"{{!}} {{{{BASEPAGENAME}}|y}} {{!}}- }} ! image |colspan="3"| <tt>[[:Image:{{{{BASEPAGENAME}}|image}}|{{{{BASEPAGENAME}}|image}}]]</tt> |- |colspan="4"|[[image:{{{{BASEPAGENAME}}|image}}|400x400px|{{BASEPAGENAME}}]] |- {{#if:{{{{BASEPAGENAME}}|image1}}| ! image1 {{!}}colspan="3"{{!}} <tt>[[:Image:{{{{BASEPAGENAME}}|image1}}|{{{{BASEPAGENAME}}|image1}}]]</tt> {{!}}- {{!}}colspan="4"{{!}}[[image:{{{{BASEPAGENAME}}|image1}}|400x400px|{{BASEPAGENAME}}]] {{!}}- }} {{#if:{{{{BASEPAGENAME}}|image2}}| ! image2 {{!}}colspan="3"{{!}} <tt>[[:Image:{{{{BASEPAGENAME}}|image2}}|{{{{BASEPAGENAME}}|image2}}]]</tt> {{!}}- {{!}}colspan="4"{{!}}[[image:{{{{BASEPAGENAME}}|image2}}|400x400px|{{BASEPAGENAME}}]] {{!}}- }} {{#if: {{{{BASEPAGENAME}}|skew}} | ! skew {{!}}colspan="3"{{!}} {{{{BASEPAGENAME}}|skew}} {{!}}- }} {{#if: {{{{BASEPAGENAME}}|lat_skew}} | ! lat_skew {{!}}colspan="3"{{!}} {{{{BASEPAGENAME}}|lat_skew}} {{!}}- }} {{#if: {{{{BASEPAGENAME}}|mark}} | ! mark {{!}}colspan="3"{{!}} <tt>[[:File:{{{{BASEPAGENAME}}|mark}}|{{{{BASEPAGENAME}}|mark}}]]</tt> {{!}}- }} {{#if: {{{{BASEPAGENAME}}|marksize}} | ! marksize {{!}}colspan="3"{{!}} {{{{BASEPAGENAME}}|marksize}} {{!}}- }} |}</includeonly><noinclude> <!--categories and interwikis should be placed in /doc, not here--> {{documentation}} </noinclude> be1d657594855256346f4822be3262e67a23c1b8 Template:Location map~ 10 86 150 2024-01-23T23:28:57Z Globalvision 2 Created page with "<includeonly><div style="position: absolute; z-index: 2; top: {{#expr:{{#if:{{Location map {{{1}}}|y}}| {{Location map {{{1}}}|y|{{Location map/decdeg |dec = {{{lat|}}} |deg = {{{lat_deg|}}} |min = {{{lat_min|}}} |sec = {{{lat_sec|}}} |hem = {{{lat_dir|}}}}}|{{Location map/decdeg |dec = {{{long|}}} |deg = {{{lon_deg|}}} |min = {{{lon_min|}}} |sec = {{{lon_sec|}}} |hem = {{{lon_dir|}}}}}}}|100 * ({{Location map {{{1}}}|top}} - {{Location map/decdeg |dec = {{{lat|}}} |deg..." wikitext text/x-wiki <includeonly><div style="position: absolute; z-index: 2; top: {{#expr:{{#if:{{Location map {{{1}}}|y}}| {{Location map {{{1}}}|y|{{Location map/decdeg |dec = {{{lat|}}} |deg = {{{lat_deg|}}} |min = {{{lat_min|}}} |sec = {{{lat_sec|}}} |hem = {{{lat_dir|}}}}}|{{Location map/decdeg |dec = {{{long|}}} |deg = {{{lon_deg|}}} |min = {{{lon_min|}}} |sec = {{{lon_sec|}}} |hem = {{{lon_dir|}}}}}}}|100 * ({{Location map {{{1}}}|top}} - {{Location map/decdeg |dec = {{{lat|}}} |deg = {{{lat_deg|}}} |min = {{{lat_min|}}} |sec = {{{lat_sec|}}} |hem = {{{lat_dir|}}}}}) / ({{Location map {{{1}}}|top}} - {{Location map {{{1}}}|bottom}}) round 1 }}}}%; left: {{#expr:{{#if:{{Location map {{{1}}}|x}}| {{Location map {{{1}}}|x|{{Location map/decdeg |dec = {{{lat|}}} |deg = {{{lat_deg|}}} |min = {{{lat_min|}}} |sec = {{{lat_sec|}}} |hem = {{{lat_dir|}}}}}|{{Location map/decdeg |dec = {{{long|}}} |deg = {{{lon_deg|}}} |min = {{{lon_min|}}} |sec = {{{lon_sec|}}} |hem = {{{lon_dir|}}}}}}}|{{#expr:{{#if:{{Location map {{{1}}}|crosses180}}|{{#ifeq: {{{lon_dir|}}}|W|-36000/({{Location map {{{1}}}|left}}-{{Location map {{{1}}}|right}})|}}|}}}} + 100 * ({{Location map/decdeg |dec = {{{long|}}} |deg = {{{lon_deg|}}} |min = {{{lon_min|}}} |sec = {{{lon_sec|}}} |hem = {{{lon_dir|}}}}} - {{Location map {{{1}}}|left}}) / ({{Location map {{{1}}}|right}} - {{Location map {{{1}}}|left}}) round 1 }}}}%; height: 0; width: 0; margin: 0; padding: 0;"><div style="position: relative; text-align: center; {{#if: {{{marksize|}}} | left: -{{#expr: {{{marksize}}} / 2 round 0 }}px; top: -{{#expr: {{{marksize}}} / 2 round 0 }}px; width: {{{marksize}}}px; font-size: {{{marksize}}}px; line-height:0; | left: -{{#expr: {{#if: {{Location map {{{1}}}|marksize}}|{{Location map {{{1}}}|marksize}}|8}} / 2 round 0 }}px; top: -{{#expr: {{#if: {{Location map {{{1}}}|marksize}}|{{Location map {{{1}}}|marksize}}|8}} / 2 round 0 }}px; width: {{#if: {{Location map {{{1}}}|marksize}}|{{Location map {{{1}}}|marksize}}|8}}px; font-size: {{#if: {{Location map {{{1}}}|marksize}}|{{Location map {{{1}}}|marksize}}|8}}px; line-height: 0; z-index:100; }}" title="{{{2|}}}">[[File:{{#if: {{{mark|}}} | {{{mark}}} | {{#if: {{Location map {{{1}}}|mark}}|{{Location map {{{1}}}|mark}}|Red pog.svg}} }}|{{#if: {{{marksize|}}} | {{{marksize}}}x{{{marksize}}} | {{#if: {{Location map {{{1}}}|marksize}}|{{Location map {{{1}}}|marksize}}|8}}x{{#if: {{Location map {{{1}}}|marksize}}|{{Location map {{{1}}}|marksize}}|8}} }}px|{{#if: {{{label|}}} | {{{label}}} | {{PAGENAME}} }}|link={{{link|}}}|alt={{{alt|}}}]]</div>{{#ifeq: {{{position|}}} | none | |<div style="font-size: {{{label_size|90}}}%; line-height: 110%; z-index:90; position: relative; top: -1.5em; width: {{#if:{{{label_width|}}}|{{{label_width}}}|6}}em; {{#switch: {{{position}}} |left = left: -6.5em; text-align: right; |right = left: 0.5em; text-align: left; |top = top:-2.65em; left:-3em; text-align: center; |bottom = top:-0.15em; left: -3em; text-align: center; |#default={{#ifexpr:{{#if:{{Location map {{{1}}}|x}}| {{Location map {{{1}}}|x|{{Location map/decdeg |dec = {{{lat|}}} |deg = {{{lat_deg|}}} |min = {{{lat_min|}}} |sec = {{{lat_sec|}}} |hem = {{{lat_dir|}}}}}|{{Location map/decdeg |dec = {{{long|}}} |deg = {{{lon_deg|}}} |min = {{{lon_min|}}} |sec = {{{lon_sec|}}} |hem = {{{lon_dir|}}}}}}}|{{#expr:{{#if:{{Location map {{{1}}}|crosses180}}|{{#ifeq: {{{lon_dir|}}}|W|-36000/({{Location map {{{1}}}|left}}-{{Location map {{{1}}}|right}})|}}|}}}} + 100 * ({{Location map/decdeg |dec = {{{long|}}} |deg = {{{lon_deg|}}} |min = {{{lon_min|}}} |sec = {{{lon_sec|}}} |hem = {{{lon_dir|}}}}} - {{Location map {{{1}}}|left}}) / ({{Location map {{{1}}}|right}} - {{Location map {{{1}}}|left}}) round 1 }} > 70|left: -6.5em; text-align: right;|left: 0.5em; text-align: left;}} }}"><span style="padding: 1px; {{#if: {{{background|}}} | background-color: {{{background}}}; }}">{{{label|}}}</span></div> }}</div></includeonly> 945548e201d67b602cc33f7307486cdf4a06150c Eurovoice 2024 0 29 151 146 2024-01-23T23:29:51Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== {{location map+|Italy | width = 200 | float = right | caption = Locations of the candidate cities. | places ={{location map~ |Italy|lat=40.845|long=14.258333|label=Naples|position=left}} <big>'''{{location map~ |Italy|lat=45.466667|long=9.183333|label=Milan|position=bottom}}'''</big> {{location map~ |Italy |lat=41.9|long=12.5|label=Rome|position=left}} The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Notes == {{Notelist}} == References == {{Reflist}} == External links == * {{Official website|https://eurovision.tv/}} {{Portal bar|Eurovision Song Contest|border=n}} {{Eurovision Song Contest 2024}} {{Eurovision Song Contest}} {{authority control}} [[Category:Eurovision Song Contest 2024| ]] [[Category:2020s in Malmö]] [[Category:2024 in Swedish television]] [[Category:2024 song contests]] [[Category:Eurovision Song Contest by year|2024]] [[Category:Events at Malmö Arena]] [[Category:Events in Malmö]] [[Category:May 2024 events in Sweden]] [[Category:Music competitions in Sweden]] a3faee387f7781ccac8621368046c8ecd1bafcf1 152 151 2024-01-24T00:18:35Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! Ref(s) |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | <ref>News article discussing Bologna's bid</ref> |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | <ref>Source about Florence's bid</ref> |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | <ref>Article on Milan's frontrunner status</ref> |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | <ref>Analysis of Naples' bid</ref> |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | <ref>Rome's proposal to host</ref> |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | <ref>Examination of Turin's bid</ref> |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} === Other Countries === * {{Albania}}: RTSH declined the invitation due to the denial of Kosovo and concerns about the previous events. * {{Andorra}}: RTVA cited lack of interest, sponsors, and financial constraints for not joining Eurovoice 2024. * {{Armenia}}: Withdrew due to political and military tensions with Azerbaijan and perceived lack of safety. * {{Azerbaijan}}: Withdrew citing bias, unfair treatment, and disrespect for sovereignty and territorial integrity. * {{Belarus}}: Didn't meet PEBO requirements due to dictatorship; accused Lukashenko of human rights violations. * {{Bosnia and Herzegovina}}: Skipped due to political and ethnic divisions hindering broadcaster cooperation. * {{Bulgaria}}: BNT decided not to participate, citing economic issues and increased costs. * {{Cyprus}}: Did not join due to ongoing dispute with Turkey over the northern part of the island. * {{Estonia}}: Opted out due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Georgia}}: Withdrew due to political and social unrest following disputed parliamentary elections. * {{Hungary}}: Did not enter due to controversial government policies criticized by PEBO and European institutions. * {{Latvia}}: Skipped due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Liechtenstein}}: Did not join due to lack of a national broadcaster and suitable selection process. * {{Lithuania}}: Opted out due to environmental and ethical concerns raised by the contest. * {{Malta}}: Withdrew due to a scandal and investigation involving their broadcaster, PBS. * {{Moldova}}: Did not enter due to a political and economic crisis following the collapse of the government. * {{Monaco}}: Did not join due to the country's low population and limited market. * {{Montenegro}}: Skipped due to financial constraints and poor results of previous entries. * {{North Macedonia}}: Withdrew due to the same reasons as Bulgaria, facing increased costs. * {{Romania}}: Did not enter due to legal and administrative issues affecting broadcaster TVR. * {{Russia}}: Withdrew due to political tensions and disputes with PEBO and some contest participants. * {{San Marino}}: Skipped due to logistical and technical difficulties in the contest. * {{Serbia}}: Withdrew due to cultural and religious conflicts encountered in the contest. * {{Slovakia}}: Did not enter due to lack of interest and support from the public and media. * {{Slovenia}}: Opted out due to financial difficulties and budget cuts. * {{Turkey}}: Did not join due to political and diplomatic tensions with some European countries and institutions. * {{Ukraine}}: Withdrew due to political tensions and disputes with Russia. fb2215b9671e02ae1e71d497d00e079b2f121b33 207 152 2024-01-24T00:24:35Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes ! |- |-style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. | |-style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. | |-style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. | |-style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. | |-style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems | |-style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. | |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} === Other Countries === * {{Albania}}: RTSH declined the invitation due to the denial of Kosovo and concerns about the previous events. * {{Andorra}}: RTVA cited lack of interest, sponsors, and financial constraints for not joining Eurovoice 2024. * {{Armenia}}: Withdrew due to political and military tensions with Azerbaijan and perceived lack of safety. * {{Azerbaijan}}: Withdrew citing bias, unfair treatment, and disrespect for sovereignty and territorial integrity. * {{Belarus}}: Didn't meet PEBO requirements due to dictatorship; accused Lukashenko of human rights violations. * {{Bosnia and Herzegovina}}: Skipped due to political and ethnic divisions hindering broadcaster cooperation. * {{Bulgaria}}: BNT decided not to participate, citing economic issues and increased costs. * {{Cyprus}}: Did not join due to ongoing dispute with Turkey over the northern part of the island. * {{Estonia}}: Opted out due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Georgia}}: Withdrew due to political and social unrest following disputed parliamentary elections. * {{Hungary}}: Did not enter due to controversial government policies criticized by PEBO and European institutions. * {{Latvia}}: Skipped due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Liechtenstein}}: Did not join due to lack of a national broadcaster and suitable selection process. * {{Lithuania}}: Opted out due to environmental and ethical concerns raised by the contest. * {{Malta}}: Withdrew due to a scandal and investigation involving their broadcaster, PBS. * {{Moldova}}: Did not enter due to a political and economic crisis following the collapse of the government. * {{Monaco}}: Did not join due to the country's low population and limited market. * {{Montenegro}}: Skipped due to financial constraints and poor results of previous entries. * {{North Macedonia}}: Withdrew due to the same reasons as Bulgaria, facing increased costs. * {{Romania}}: Did not enter due to legal and administrative issues affecting broadcaster TVR. * {{Russia}}: Withdrew due to political tensions and disputes with PEBO and some contest participants. * {{San Marino}}: Skipped due to logistical and technical difficulties in the contest. * {{Serbia}}: Withdrew due to cultural and religious conflicts encountered in the contest. * {{Slovakia}}: Did not enter due to lack of interest and support from the public and media. * {{Slovenia}}: Opted out due to financial difficulties and budget cuts. * {{Turkey}}: Did not join due to political and diplomatic tensions with some European countries and institutions. * {{Ukraine}}: Withdrew due to political tensions and disputes with Russia. 5871c06752d79d3676f98fd68fd0aa394dfcea63 208 207 2024-01-24T00:25:12Z Globalvision 2 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes |- style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. |- style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. |- style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. |- style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. |- style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems |- style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} === Other Countries === * {{Albania}}: RTSH declined the invitation due to the denial of Kosovo and concerns about the previous events. * {{Andorra}}: RTVA cited lack of interest, sponsors, and financial constraints for not joining Eurovoice 2024. * {{Armenia}}: Withdrew due to political and military tensions with Azerbaijan and perceived lack of safety. * {{Azerbaijan}}: Withdrew citing bias, unfair treatment, and disrespect for sovereignty and territorial integrity. * {{Belarus}}: Didn't meet PEBO requirements due to dictatorship; accused Lukashenko of human rights violations. * {{Bosnia and Herzegovina}}: Skipped due to political and ethnic divisions hindering broadcaster cooperation. * {{Bulgaria}}: BNT decided not to participate, citing economic issues and increased costs. * {{Cyprus}}: Did not join due to ongoing dispute with Turkey over the northern part of the island. * {{Estonia}}: Opted out due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Georgia}}: Withdrew due to political and social unrest following disputed parliamentary elections. * {{Hungary}}: Did not enter due to controversial government policies criticized by PEBO and European institutions. * {{Latvia}}: Skipped due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Liechtenstein}}: Did not join due to lack of a national broadcaster and suitable selection process. * {{Lithuania}}: Opted out due to environmental and ethical concerns raised by the contest. * {{Malta}}: Withdrew due to a scandal and investigation involving their broadcaster, PBS. * {{Moldova}}: Did not enter due to a political and economic crisis following the collapse of the government. * {{Monaco}}: Did not join due to the country's low population and limited market. * {{Montenegro}}: Skipped due to financial constraints and poor results of previous entries. * {{North Macedonia}}: Withdrew due to the same reasons as Bulgaria, facing increased costs. * {{Romania}}: Did not enter due to legal and administrative issues affecting broadcaster TVR. * {{Russia}}: Withdrew due to political tensions and disputes with PEBO and some contest participants. * {{San Marino}}: Skipped due to logistical and technical difficulties in the contest. * {{Serbia}}: Withdrew due to cultural and religious conflicts encountered in the contest. * {{Slovakia}}: Did not enter due to lack of interest and support from the public and media. * {{Slovenia}}: Opted out due to financial difficulties and budget cuts. * {{Turkey}}: Did not join due to political and diplomatic tensions with some European countries and institutions. * {{Ukraine}}: Withdrew due to political tensions and disputes with Russia. 5d55bc4a8b353461317e8324bf9dc6a15665edf4 209 208 2024-01-24T00:25:31Z Globalvision 2 /* Participating Countries */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes |- style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. |- style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. |- style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. |- style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. |- style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems |- style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Other Countries == * {{Albania}}: RTSH declined the invitation due to the denial of Kosovo and concerns about the previous events. * {{Andorra}}: RTVA cited lack of interest, sponsors, and financial constraints for not joining Eurovoice 2024. * {{Armenia}}: Withdrew due to political and military tensions with Azerbaijan and perceived lack of safety. * {{Azerbaijan}}: Withdrew citing bias, unfair treatment, and disrespect for sovereignty and territorial integrity. * {{Belarus}}: Didn't meet PEBO requirements due to dictatorship; accused Lukashenko of human rights violations. * {{Bosnia and Herzegovina}}: Skipped due to political and ethnic divisions hindering broadcaster cooperation. * {{Bulgaria}}: BNT decided not to participate, citing economic issues and increased costs. * {{Cyprus}}: Did not join due to ongoing dispute with Turkey over the northern part of the island. * {{Estonia}}: Opted out due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Georgia}}: Withdrew due to political and social unrest following disputed parliamentary elections. * {{Hungary}}: Did not enter due to controversial government policies criticized by PEBO and European institutions. * {{Latvia}}: Skipped due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Liechtenstein}}: Did not join due to lack of a national broadcaster and suitable selection process. * {{Lithuania}}: Opted out due to environmental and ethical concerns raised by the contest. * {{Malta}}: Withdrew due to a scandal and investigation involving their broadcaster, PBS. * {{Moldova}}: Did not enter due to a political and economic crisis following the collapse of the government. * {{Monaco}}: Did not join due to the country's low population and limited market. * {{Montenegro}}: Skipped due to financial constraints and poor results of previous entries. * {{North Macedonia}}: Withdrew due to the same reasons as Bulgaria, facing increased costs. * {{Romania}}: Did not enter due to legal and administrative issues affecting broadcaster TVR. * {{Russia}}: Withdrew due to political tensions and disputes with PEBO and some contest participants. * {{San Marino}}: Skipped due to logistical and technical difficulties in the contest. * {{Serbia}}: Withdrew due to cultural and religious conflicts encountered in the contest. * {{Slovakia}}: Did not enter due to lack of interest and support from the public and media. * {{Slovenia}}: Opted out due to financial difficulties and budget cuts. * {{Turkey}}: Did not join due to political and diplomatic tensions with some European countries and institutions. * {{Ukraine}}: Withdrew due to political tensions and disputes with Russia. 98f1ea2cc4717f7ce64455d75d16ed8b10f88ece Template:Albania 10 87 154 153 2024-01-24T00:23:23Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Albania.svg|21px|border|link=]] [[Albania]] 58126257587c1b518e739b7d12fffc39e198404e Template:Andorra 10 88 156 155 2024-01-24T00:23:23Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Andorra.svg|22px|border|link=]] [[Andorra]] 6985aecaace02aaff813f07653cab45438f395ca Template:Armenia 10 89 158 157 2024-01-24T00:23:24Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Armenia.svg|23px|border|link=]] [[Armenia]] c64c6a62e6b45de4ffb6d461afb2de17589b7d63 Template:Azerbaijan 10 90 160 159 2024-01-24T00:23:25Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Azerbaijan.svg|23px|border|link=]] [[Azerbaijan]] 6a05a53162a3d2028251cda9a3684d96930473a5 Template:Belarus 10 91 162 161 2024-01-24T00:23:25Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Belarus.svg|23px|border|link=]] [[Belarus]] 088d996d7a4d9a2fbf7c61c4c586b6ccbfc2b5d4 Template:Bosnia and Herzegovina 10 92 164 163 2024-01-24T00:23:26Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Bosnia and Herzegovina.svg|23px|border|link=]] [[Bosnia and Herzegovina]] 0cd37c8ab66093a880936aa5d0382f1092759146 Template:Bulgaria 10 93 166 165 2024-01-24T00:23:27Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Bulgaria.svg|23px|border|link=]] [[Bulgaria]] b90ed5cd5fa0fa610cbcc30243b40d45f0d00869 Template:Cyprus 10 94 168 167 2024-01-24T00:23:28Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Cyprus.svg|23px|border|link=]] [[Cyprus]] cac25685604252b077e003bf84abe5537dad548c Template:Estonia 10 95 170 169 2024-01-24T00:23:28Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Estonia.svg|23px|border|link=]] [[Estonia]] 4d529b2a618216306384846caa1d4ff28b87b500 227 170 2024-01-24T00:53:53Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Estonia.svg|23px|border|link=]] [[Estonia]] 4d529b2a618216306384846caa1d4ff28b87b500 Template:Georgia 10 96 172 171 2024-01-24T00:23:29Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Georgia.svg|23px|border|link=]] [[Georgia]] 8f8ecec833853bf1622baab8c7ffbc6364fc196a Template:Hungary 10 97 174 173 2024-01-24T00:23:30Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Hungary.svg|23px|border|link=]] [[Hungary]] 1ea4ed855795cf515fdc4960338dc5defc510cda Template:Latvia 10 98 176 175 2024-01-24T00:23:30Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Latvia.svg|23px|border|link=]] [[Latvia]] a62e17eefc07a63db57dd273a706c18251a518a6 Template:Liechtenstein 10 99 178 177 2024-01-24T00:23:31Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Liechtenstein.svg|23px|border|link=]] [[Liechtenstein]] fb7f090b58832cdfc0e72a72821a5d02fa0226ea Template:Lithuania 10 100 180 179 2024-01-24T00:23:32Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Lithuania.svg|23px|border|link=]] [[Lithuania]] 6355cc9184f61fc043876a7dc68178b91467de70 Template:Malta 10 101 182 181 2024-01-24T00:23:32Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Malta.svg|23px|border|link=]] [[Malta]] aba23c0f0978b370e6f2d9b5f5690c28335fe580 Template:Moldova 10 102 184 183 2024-01-24T00:23:33Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Moldova.svg|23px|border|link=]] [[Moldova]] 3b05af52f1b9eded42d46dbbb9a912b13491ab40 Template:Monaco 10 103 186 185 2024-01-24T00:23:34Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Monaco.svg|19px|border|link=]] [[Monaco]] 2acbf5dd813204b17ce2da1cff9af32469163aab Template:Montenegro 10 104 188 187 2024-01-24T00:23:34Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Montenegro.svg|23px|border|link=]] [[Montenegro]] f9b206801fbbb26dbdc23dd4a14ffab4571828ad Template:North Macedonia 10 105 190 189 2024-01-24T00:23:35Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of North Macedonia.svg|23px|border|link=]] [[North Macedonia]] ad91858c53874635fe74534938bdbfc12ae77285 Template:Romania 10 106 192 191 2024-01-24T00:23:35Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Romania.svg|23px|border|link=]] [[Romania]] 1f5c308f6161321167ddcefe1ac3e722f6c1e247 Template:Russia 10 107 194 193 2024-01-24T00:23:36Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Russia.svg|23px|border|link=]] [[Russia]] e41e8213cb2979e8fad88f9e88df2b89ff588ddf Template:San Marino 10 108 196 195 2024-01-24T00:23:37Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of San Marino.svg|20px|border|link=]] [[San Marino]] 72f3353052d9aded2920371c303961cf224d616b Template:Serbia 10 109 198 197 2024-01-24T00:23:39Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Serbia.svg|23px|border|link=]] [[Serbia]] 4e51350e84d7c3eca0b74550342446b2fcbeabe7 Template:Slovakia 10 110 200 199 2024-01-24T00:23:40Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Slovakia.svg|23px|border|link=]] [[Slovakia]] 16eaa94b25fa6ecf12d194b3c498e15ee42f5db6 Template:Slovenia 10 111 202 201 2024-01-24T00:23:40Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Slovenia.svg|23px|border|link=]] [[Slovenia]] 725faaf7a5ab0931c1eaca5a2b740365fbe8d5c5 Template:Turkey 10 112 204 203 2024-01-24T00:23:41Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Turkey.svg|23px|border|link=]] [[Turkey]] 961253ec83371e49729f47d1bb8a4d4290ba6d88 Template:Ukraine 10 113 206 205 2024-01-24T00:23:42Z Globalvision 2 1 revision imported wikitext text/x-wiki [[File:Flag of Ukraine.svg|23px|border|link=]] [[Ukraine]] dcdddd16b97f49d12d8312bccdc81013292c4250 Estonia in The Song 9 0 114 211 210 2024-01-24T00:53:39Z Globalvision 2 1 revision imported wikitext text/x-wiki {{Infobox country edition | country = Estonia | edition = 9 | selection = Üldine Naita Nime | selection_dates = 14 October 2023 | entrant = [[Marcara]] and [[Siimi]] | song = "[[Zim Zimma]]" | songwriter = Mark.Henri Mollits | pqr_result =''Qualified'' (2nd, 228 points) | semi_result =''Qualified'' (5th, 172 points) | final_result =4th, 171 points | prev =8 | next =10 }} [[Estonia]] participated in [[The Song 9]] in [[Wikipedia:Paris|Paris]], France with the song "[[Zim Zimma]]", performed by [[Marcara]] and [[Siimi]] and written by Mark.Henri Mollits. Due to their poor performance in [[The Song 8]], Estonia was relegated to the [[Pre-Qualification Round 9|Pre-Qualification Round]] for the ninth edition of the contest. ==Participation== On October 9 2023, the Estonian broadcaster, EER, announced that they would be holding a national final to select their entry. The five competing songs were revealed on the same day. Fenkii, who had previously participated in Estonian [[Estonia in The Song 7|national selection]] for [[The Song 7]], placing fourth, returned to compete once again. ===Üldine Naita Nime=== The winners were [[Marcara]] and [[Siimi]] with "[[Zim Zimma]]". Fenkii and Põhja Korea, who placed second, will compete in [[The Song Second Chance 9]] with "Bangkok". {{Legend|gold|Winner}} {{Legend|paleturquoise|The Song Second Chance}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final - 14 October 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:gold;" | style="text-align:center;" |01 |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" |171 | style="text-align:center;" |1 |- | style="text-align:center;" |02 |Meelik |"Hiilin" | style="text-align:center;" |111 | style="text-align:center;" |5 |- | style="text-align:center;" |03 |Manna |"Evil Thoughts" | style="text-align:center;" |125 | style="text-align:center;" |4 |-bgcolor="paleturquoise" | style="text-align:center;" |04 |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" |171 | style="text-align:center;" |2 |- | style="text-align:center;" |05 |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" |142 | style="text-align:center;" |3 |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> ddeeefb3727fe5b3509ae2e1572126509c5c2546 Template:Navbox 10 115 213 212 2024-01-24T00:53:41Z Globalvision 2 1 revision imported wikitext text/x-wiki <includeonly>{{#invoke:Navbox|navbox}}</includeonly><noinclude> {{Documentation}} </noinclude> fe9b964401f895918ee4fe078678f1722a3c41ec Template:Navbox with collapsible groups 10 116 215 214 2024-01-24T00:53:42Z Globalvision 2 1 revision imported wikitext text/x-wiki {{#invoke:Navbox with collapsible groups|navbox}}<noinclude> {{documentation}} </noinclude> a44295b44aa63f852f43d5a21b90ff395fbfcf4e Template:Nowrap 10 32 217 37 2024-01-24T00:53:43Z Globalvision 2 1 revision imported wikitext text/x-wiki <span class="nowrap">{{{1}}}</span> 1fd9223c42f151cf322d6d13eaa979eda150e9b3 Template:Abbr 10 3 219 5 2024-01-24T00:53:51Z Globalvision 2 1 revision imported wikitext text/x-wiki {{#if:{{{header|}}} |<tr><th colspan="2" class="{{{class|}}}" style="text-align:center; {{{headerstyle|}}}">{{{header}}}</th></tr> |{{#if:{{{data|}}} |<tr class="{{{rowclass|}}}">{{#if:{{{label|}}} |<th scope="row" style="text-align:left; {{{labelstyle|}}}">{{{label}}}</th> <td class="{{{class|}}}" style="{{{datastyle|}}}"> |<td colspan="2" class="{{{class|}}}" style="text-align:center; {{{datastyle|}}}"> }} {{{data}}}</td></tr> }} }} 49a1f9f5c244da1b34e5bf561520bb7ad7fe0785 Template:Infobox 10 5 221 8 2024-01-24T00:53:51Z Globalvision 2 1 revision imported wikitext text/x-wiki {{#ifeq:{{{child|}}}|yes||<table class="infobox {{{bodyclass|}}}" cellspacing="3" style="border-spacing: 3px; width:{{{width|22.5em}}};background:#FAFAFA; float:right; font-size:85%; border: 1px solid #CCCCCC; {{{bodystyle|}}}"><!-- Caption -->{{#if:{{{title|}}}|<caption class="{{{titleclass|}}}" style="{{{titlestyle|}}}">{{{title}}}</caption>}}<!-- Header -->{{#if:{{{above|}}}|<tr><th colspan="2" class="{{{aboveclass|}}}" style="text-align:center; font-size:125%; font-weight:bold; {{{abovestyle|}}}">{{{above}}}</th></tr>}} }}{{#ifeq:{{{child|}}}|yes|{{#if:{{{title|}}}|'''{{{title}}}'''}}}}<!-- Subheader1 -->{{#if:{{{subheader|{{{subheader1|}}}}}}|{{Infobox/row |data={{{subheader|{{{subheader1|}}}}}} |datastyle={{{subheaderstyle|{{{subheaderstyle1|}}}}}} |class={{{subheaderclass|}}} |rowclass={{{subheaderrowclass|{{{subheaderrowclass1|}}}}}} }} }}<!-- Subheader2 -->{{#if:{{{subheader2|}}}|{{Infobox/row |data={{{subheader2}}} |datastyle={{{subheaderstyle|{{{subheaderstyle2|}}}}}} |class={{{subheaderclass|}}} |rowclass={{{subheaderrowclass2|}}} }} }}<!-- Image1 -->{{#if:{{{image|{{{image1|}}}}}}|{{Infobox/row |data={{{image|{{{image1}}} }}}{{#if:{{{caption|{{{caption1|}}}}}}|<br /><span style="{{{captionstyle|}}}">{{{caption|{{{caption1}}}}}}</span>}} |datastyle={{{imagestyle|}}} |class={{{imageclass|}}} |rowclass={{{imagerowclass1|}}} }} }}<!-- Image2 -->{{#if:{{{image2|}}}|{{Infobox/row |data={{{image2}}}{{#if:{{{caption2|}}}|<br /><span style="{{{captionstyle|}}}">{{{caption2}}}</span>}} |datastyle={{{imagestyle|}}} |class={{{imageclass|}}} |rowclass={{{imagerowclass2|}}} }} }}<!-- -->{{Infobox/row |header={{{header1|}}} |headerstyle={{{headerstyle|}}} |label={{{label1|}}} |labelstyle={{{labelstyle|}}} |data={{{data1|}}} |datastyle={{{datastyle|}}} |class={{{class1|}}} |rowclass={{{rowclass1|}}} }}{{Infobox/row |header={{{header2|}}} |headerstyle={{{headerstyle|}}} |label={{{label2|}}} |labelstyle={{{labelstyle|}}} |data={{{data2|}}} |datastyle={{{datastyle|}}} |class={{{class2|}}} |rowclass={{{rowclass2|}}} }}{{Infobox/row |header={{{header3|}}} |headerstyle={{{headerstyle|}}} |label={{{label3|}}} |labelstyle={{{labelstyle|}}} |data={{{data3|}}} |datastyle={{{datastyle|}}} |class={{{class3|}}} |rowclass={{{rowclass3|}}} }}{{Infobox/row |header={{{header4|}}} |headerstyle={{{headerstyle|}}} |label={{{label4|}}} |labelstyle={{{labelstyle|}}} |data={{{data4|}}} |datastyle={{{datastyle|}}} |class={{{class4|}}} |rowclass={{{rowclass4|}}} }}{{Infobox/row |header={{{header5|}}} |headerstyle={{{headerstyle|}}} |label={{{label5|}}} |labelstyle={{{labelstyle|}}} |data={{{data5|}}} |datastyle={{{datastyle|}}} |class={{{class5|}}} |rowclass={{{rowclass5|}}} }}{{Infobox/row |header={{{header6|}}} |headerstyle={{{headerstyle|}}} |label={{{label6|}}} |labelstyle={{{labelstyle|}}} |data={{{data6|}}} |datastyle={{{datastyle|}}} |class={{{class6|}}} |rowclass={{{rowclass6|}}} }}{{Infobox/row |header={{{header7|}}} |headerstyle={{{headerstyle|}}} |label={{{label7|}}} |labelstyle={{{labelstyle|}}} |data={{{data7|}}} |datastyle={{{datastyle|}}} |class={{{class7|}}} |rowclass={{{rowclass7|}}} }}{{Infobox/row |header={{{header8|}}} |headerstyle={{{headerstyle|}}} |label={{{label8|}}} |labelstyle={{{labelstyle|}}} |data={{{data8|}}} |datastyle={{{datastyle|}}} |class={{{class8|}}} |rowclass={{{rowclass8|}}} }}{{Infobox/row |header={{{header9|}}} |headerstyle={{{headerstyle|}}} |label={{{label9|}}} |labelstyle={{{labelstyle|}}} |data={{{data9|}}} |datastyle={{{datastyle|}}} |class={{{class9|}}} |rowclass={{{rowclass9|}}} }}{{Infobox/row |header={{{header10|}}} |headerstyle={{{headerstyle|}}} |label={{{label10|}}} |labelstyle={{{labelstyle|}}} |data={{{data10|}}} |datastyle={{{datastyle|}}} |class={{{class10|}}} |rowclass={{{rowclass10|}}} }}{{Infobox/row |header={{{header11|}}} |headerstyle={{{headerstyle|}}} |label={{{label11|}}} |labelstyle={{{labelstyle|}}} |data={{{data11|}}} |datastyle={{{datastyle|}}} |class={{{class11|}}} |rowclass={{{rowclass11|}}} }}{{Infobox/row |header={{{header12|}}} |headerstyle={{{headerstyle|}}} |label={{{label12|}}} |labelstyle={{{labelstyle|}}} |data={{{data12|}}} |datastyle={{{datastyle|}}} |class={{{class12|}}} |rowclass={{{rowclass12|}}} }}{{Infobox/row |header={{{header13|}}} |headerstyle={{{headerstyle|}}} |label={{{label13|}}} |labelstyle={{{labelstyle|}}} |data={{{data13|}}} |datastyle={{{datastyle|}}} |class={{{class13|}}} |rowclass={{{rowclass13|}}} }}{{Infobox/row |header={{{header14|}}} |headerstyle={{{headerstyle|}}} |label={{{label14|}}} |labelstyle={{{labelstyle|}}} |data={{{data14|}}} |datastyle={{{datastyle|}}} |class={{{class14|}}} |rowclass={{{rowclass14|}}} }}{{Infobox/row |header={{{header15|}}} |headerstyle={{{headerstyle|}}} |label={{{label15|}}} |labelstyle={{{labelstyle|}}} |data={{{data15|}}} |datastyle={{{datastyle|}}} |class={{{class15|}}} |rowclass={{{rowclass15|}}} }}{{Infobox/row |header={{{header16|}}} |headerstyle={{{headerstyle|}}} |label={{{label16|}}} |labelstyle={{{labelstyle|}}} |data={{{data16|}}} |datastyle={{{datastyle|}}} |class={{{class16|}}} |rowclass={{{rowclass16|}}} }}{{Infobox/row |header={{{header17|}}} |headerstyle={{{headerstyle|}}} |label={{{label17|}}} |labelstyle={{{labelstyle|}}} |data={{{data17|}}} |datastyle={{{datastyle|}}} |class={{{class17|}}} |rowclass={{{rowclass17|}}} }}{{Infobox/row |header={{{header18|}}} |headerstyle={{{headerstyle|}}} |label={{{label18|}}} |labelstyle={{{labelstyle|}}} |data={{{data18|}}} |datastyle={{{datastyle|}}} |class={{{class18|}}} |rowclass={{{rowclass18|}}} }}{{Infobox/row |header={{{header19|}}} |headerstyle={{{headerstyle|}}} |label={{{label19|}}} |labelstyle={{{labelstyle|}}} |data={{{data19|}}} |datastyle={{{datastyle|}}} |class={{{class19|}}} |rowclass={{{rowclass19|}}} }}{{Infobox/row |header={{{header20|}}} |headerstyle={{{headerstyle|}}} |label={{{label20|}}} |labelstyle={{{labelstyle|}}} |data={{{data20|}}} |datastyle={{{datastyle|}}} |class={{{class20|}}} |rowclass={{{rowclass20|}}} }}{{Infobox/row |header={{{header21|}}} |headerstyle={{{headerstyle|}}} |label={{{label21|}}} |labelstyle={{{labelstyle|}}} |data={{{data21|}}} |datastyle={{{datastyle|}}} |class={{{class21|}}} |rowclass={{{rowclass21|}}} }}{{Infobox/row |header={{{header22|}}} |headerstyle={{{headerstyle|}}} |label={{{label22|}}} |labelstyle={{{labelstyle|}}} |data={{{data22|}}} |datastyle={{{datastyle|}}} |class={{{class22|}}} |rowclass={{{rowclass22|}}} }}{{Infobox/row |header={{{header23|}}} |headerstyle={{{headerstyle|}}} |label={{{label23|}}} |labelstyle={{{labelstyle|}}} |data={{{data23|}}} |datastyle={{{datastyle|}}} |class={{{class23|}}} |rowclass={{{rowclass23|}}} }}{{Infobox/row |header={{{header24|}}} |headerstyle={{{headerstyle|}}} |label={{{label24|}}} |labelstyle={{{labelstyle|}}} |data={{{data24|}}} |datastyle={{{datastyle|}}} |class={{{class24|}}} |rowclass={{{rowclass24|}}} }}{{Infobox/row |header={{{header25|}}} |headerstyle={{{headerstyle|}}} |label={{{label25|}}} |labelstyle={{{labelstyle|}}} |data={{{data25|}}} |datastyle={{{datastyle|}}} |class={{{class25|}}} |rowclass={{{rowclass25|}}} }}{{Infobox/row |header={{{header26|}}} |headerstyle={{{headerstyle|}}} |label={{{label26|}}} |labelstyle={{{labelstyle|}}} |data={{{data26|}}} |datastyle={{{datastyle|}}} |class={{{class26|}}} |rowclass={{{rowclass26|}}} }}{{Infobox/row |header={{{header27|}}} |headerstyle={{{headerstyle|}}} |label={{{label27|}}} |labelstyle={{{labelstyle|}}} |data={{{data27|}}} |datastyle={{{datastyle|}}} |class={{{class27|}}} |rowclass={{{rowclass27|}}} }}{{Infobox/row |header={{{header28|}}} |headerstyle={{{headerstyle|}}} |label={{{label28|}}} |labelstyle={{{labelstyle|}}} |data={{{data28|}}} |datastyle={{{datastyle|}}} |class={{{class28|}}} |rowclass={{{rowclass28|}}} }}{{Infobox/row |header={{{header29|}}} |headerstyle={{{headerstyle|}}} |label={{{label29|}}} |labelstyle={{{labelstyle|}}} |data={{{data29|}}} |datastyle={{{datastyle|}}} |class={{{class29|}}} |rowclass={{{rowclass29|}}} }}{{Infobox/row |header={{{header30|}}} |headerstyle={{{headerstyle|}}} |label={{{label30|}}} |labelstyle={{{labelstyle|}}} |data={{{data30|}}} |datastyle={{{datastyle|}}} |class={{{class30|}}} |rowclass={{{rowclass30|}}} }}{{Infobox/row |header={{{header31|}}} |headerstyle={{{headerstyle|}}} |label={{{label31|}}} |labelstyle={{{labelstyle|}}} |data={{{data31|}}} |datastyle={{{datastyle|}}} |class={{{class31|}}} |rowclass={{{rowclass31|}}} }}{{Infobox/row |header={{{header32|}}} |headerstyle={{{headerstyle|}}} |label={{{label32|}}} |labelstyle={{{labelstyle|}}} |data={{{data32|}}} |datastyle={{{datastyle|}}} |class={{{class32|}}} |rowclass={{{rowclass32|}}} }}{{Infobox/row |header={{{header33|}}} |headerstyle={{{headerstyle|}}} |label={{{label33|}}} |labelstyle={{{labelstyle|}}} |data={{{data33|}}} |datastyle={{{datastyle|}}} |class={{{class33|}}} |rowclass={{{rowclass33|}}} }}{{Infobox/row |header={{{header34|}}} |headerstyle={{{headerstyle|}}} |label={{{label34|}}} |labelstyle={{{labelstyle|}}} |data={{{data34|}}} |datastyle={{{datastyle|}}} |class={{{class34|}}} |rowclass={{{rowclass34|}}} }}{{Infobox/row |header={{{header35|}}} |headerstyle={{{headerstyle|}}} |label={{{label35|}}} |labelstyle={{{labelstyle|}}} |data={{{data35|}}} |datastyle={{{datastyle|}}} |class={{{class35|}}} |rowclass={{{rowclass35|}}} }}{{Infobox/row |header={{{header36|}}} |headerstyle={{{headerstyle|}}} |label={{{label36|}}} |labelstyle={{{labelstyle|}}} |data={{{data36|}}} |datastyle={{{datastyle|}}} |class={{{class36|}}} |rowclass={{{rowclass36|}}} }}{{Infobox/row |header={{{header37|}}} |headerstyle={{{headerstyle|}}} |label={{{label37|}}} |labelstyle={{{labelstyle|}}} |data={{{data37|}}} |datastyle={{{datastyle|}}} |class={{{class37|}}} |rowclass={{{rowclass37|}}} }}{{Infobox/row |header={{{header38|}}} |headerstyle={{{headerstyle|}}} |label={{{label38|}}} |labelstyle={{{labelstyle|}}} |data={{{data38|}}} |datastyle={{{datastyle|}}} |class={{{class38|}}} |rowclass={{{rowclass38|}}} }}{{Infobox/row |header={{{header39|}}} |headerstyle={{{headerstyle|}}} |label={{{label39|}}} |labelstyle={{{labelstyle|}}} |data={{{data39|}}} |datastyle={{{datastyle|}}} |class={{{class39|}}} |rowclass={{{rowclass39|}}} }}{{Infobox/row |header={{{header40|}}} |headerstyle={{{headerstyle|}}} |label={{{label40|}}} |labelstyle={{{labelstyle|}}} |data={{{data40|}}} |datastyle={{{datastyle|}}} |class={{{class40|}}} |rowclass={{{rowclass40|}}} }}{{Infobox/row |header={{{header41|}}} |headerstyle={{{headerstyle|}}} |label={{{label41|}}} |labelstyle={{{labelstyle|}}} |data={{{data41|}}} |datastyle={{{datastyle|}}} |class={{{class41|}}} |rowclass={{{rowclass41|}}} }}{{Infobox/row |header={{{header42|}}} |headerstyle={{{headerstyle|}}} |label={{{label42|}}} |labelstyle={{{labelstyle|}}} |data={{{data42|}}} |datastyle={{{datastyle|}}} |class={{{class42|}}} |rowclass={{{rowclass42|}}} }}{{Infobox/row |header={{{header43|}}} |headerstyle={{{headerstyle|}}} |label={{{label43|}}} |labelstyle={{{labelstyle|}}} |data={{{data43|}}} |datastyle={{{datastyle|}}} |class={{{class43|}}} |rowclass={{{rowclass43|}}} }}{{Infobox/row |header={{{header44|}}} |headerstyle={{{headerstyle|}}} |label={{{label44|}}} |labelstyle={{{labelstyle|}}} |data={{{data44|}}} |datastyle={{{datastyle|}}} |class={{{class44|}}} |rowclass={{{rowclass44|}}} }}{{Infobox/row |header={{{header45|}}} |headerstyle={{{headerstyle|}}} |label={{{label45|}}} |labelstyle={{{labelstyle|}}} |data={{{data45|}}} |datastyle={{{datastyle|}}} |class={{{class45|}}} |rowclass={{{rowclass45|}}} }}{{Infobox/row |header={{{header46|}}} |headerstyle={{{headerstyle|}}} |label={{{label46|}}} |labelstyle={{{labelstyle|}}} |data={{{data46|}}} |datastyle={{{datastyle|}}} |class={{{class46|}}} |rowclass={{{rowclass46|}}} }}{{Infobox/row |header={{{header47|}}} |headerstyle={{{headerstyle|}}} |label={{{label47|}}} |labelstyle={{{labelstyle|}}} |data={{{data47|}}} |datastyle={{{datastyle|}}} |class={{{class47|}}} |rowclass={{{rowclass47|}}} }}{{Infobox/row |header={{{header48|}}} |headerstyle={{{headerstyle|}}} |label={{{label48|}}} |labelstyle={{{labelstyle|}}} |data={{{data48|}}} |datastyle={{{datastyle|}}} |class={{{class48|}}} |rowclass={{{rowclass48|}}} }}{{Infobox/row |header={{{header49|}}} |headerstyle={{{headerstyle|}}} |label={{{label49|}}} |labelstyle={{{labelstyle|}}} |data={{{data49|}}} |datastyle={{{datastyle|}}} |class={{{class49|}}} |rowclass={{{rowclass49|}}} }}{{Infobox/row |header={{{header50|}}} |headerstyle={{{headerstyle|}}} |label={{{label50|}}} |labelstyle={{{labelstyle|}}} |data={{{data50|}}} |datastyle={{{datastyle|}}} |class={{{class50|}}} |rowclass={{{rowclass50|}}} }}{{Infobox/row |header={{{header51|}}} |headerstyle={{{headerstyle|}}} |label={{{label51|}}} |labelstyle={{{labelstyle|}}} |data={{{data51|}}} |datastyle={{{datastyle|}}} |class={{{class51|}}} |rowclass={{{rowclass51|}}} }}{{Infobox/row |header={{{header52|}}} |headerstyle={{{headerstyle|}}} |label={{{label52|}}} |labelstyle={{{labelstyle|}}} |data={{{data52|}}} |datastyle={{{datastyle|}}} |class={{{class52|}}} |rowclass={{{rowclass52|}}} }}{{Infobox/row |header={{{header53|}}} |headerstyle={{{headerstyle|}}} |label={{{label53|}}} |labelstyle={{{labelstyle|}}} |data={{{data53|}}} |datastyle={{{datastyle|}}} |class={{{class53|}}} |rowclass={{{rowclass53|}}} }}{{Infobox/row |header={{{header54|}}} |headerstyle={{{headerstyle|}}} |label={{{label54|}}} |labelstyle={{{labelstyle|}}} |data={{{data54|}}} |datastyle={{{datastyle|}}} |class={{{class54|}}} |rowclass={{{rowclass54|}}} }}{{Infobox/row |header={{{header55|}}} |headerstyle={{{headerstyle|}}} |label={{{label55|}}} |labelstyle={{{labelstyle|}}} |data={{{data55|}}} |datastyle={{{datastyle|}}} |class={{{class55|}}} |rowclass={{{rowclass55|}}} }}{{Infobox/row |header={{{header56|}}} |headerstyle={{{headerstyle|}}} |label={{{label56|}}} |labelstyle={{{labelstyle|}}} |data={{{data56|}}} |datastyle={{{datastyle|}}} |class={{{class56|}}} |rowclass={{{rowclass56|}}} }}{{Infobox/row |header={{{header57|}}} |headerstyle={{{headerstyle|}}} |label={{{label57|}}} |labelstyle={{{labelstyle|}}} |data={{{data57|}}} |datastyle={{{datastyle|}}} |class={{{class57|}}} |rowclass={{{rowclass57|}}} }}{{Infobox/row |header={{{header58|}}} |headerstyle={{{headerstyle|}}} |label={{{label58|}}} |labelstyle={{{labelstyle|}}} |data={{{data58|}}} |datastyle={{{datastyle|}}} |class={{{class58|}}} |rowclass={{{rowclass58|}}} }}{{Infobox/row |header={{{header59|}}} |headerstyle={{{headerstyle|}}} |label={{{label59|}}} |labelstyle={{{labelstyle|}}} |data={{{data59|}}} |datastyle={{{datastyle|}}} |class={{{class59|}}} |rowclass={{{rowclass59|}}} }}{{Infobox/row |header={{{header60|}}} |headerstyle={{{headerstyle|}}} |label={{{label60|}}} |labelstyle={{{labelstyle|}}} |data={{{data60|}}} |datastyle={{{datastyle|}}} |class={{{class60|}}} |rowclass={{{rowclass60|}}} }}{{Infobox/row |header={{{header61|}}} |headerstyle={{{headerstyle|}}} |label={{{label61|}}} |labelstyle={{{labelstyle|}}} |data={{{data61|}}} |datastyle={{{datastyle|}}} |class={{{class61|}}} |rowclass={{{rowclass61|}}} }}{{Infobox/row |header={{{header62|}}} |headerstyle={{{headerstyle|}}} |label={{{label62|}}} |labelstyle={{{labelstyle|}}} |data={{{data62|}}} |datastyle={{{datastyle|}}} |class={{{class62|}}} |rowclass={{{rowclass62|}}} }}{{Infobox/row |header={{{header63|}}} |headerstyle={{{headerstyle|}}} |label={{{label63|}}} |labelstyle={{{labelstyle|}}} |data={{{data63|}}} |datastyle={{{datastyle|}}} |class={{{class63|}}} |rowclass={{{rowclass63|}}} }}{{Infobox/row |header={{{header64|}}} |headerstyle={{{headerstyle|}}} |label={{{label64|}}} |labelstyle={{{labelstyle|}}} |data={{{data64|}}} |datastyle={{{datastyle|}}} |class={{{class64|}}} |rowclass={{{rowclass64|}}} }}{{Infobox/row |header={{{header65|}}} |headerstyle={{{headerstyle|}}} |label={{{label65|}}} |labelstyle={{{labelstyle|}}} |data={{{data65|}}} |datastyle={{{datastyle|}}} |class={{{class65|}}} |rowclass={{{rowclass65|}}} }}{{Infobox/row |header={{{header66|}}} |headerstyle={{{headerstyle|}}} |label={{{label66|}}} |labelstyle={{{labelstyle|}}} |data={{{data66|}}} |datastyle={{{datastyle|}}} |class={{{class66|}}} |rowclass={{{rowclass66|}}} }}{{Infobox/row |header={{{header67|}}} |headerstyle={{{headerstyle|}}} |label={{{label67|}}} |labelstyle={{{labelstyle|}}} |data={{{data67|}}} |datastyle={{{datastyle|}}} |class={{{class67|}}} |rowclass={{{rowclass67|}}} }}{{Infobox/row |header={{{header68|}}} |headerstyle={{{headerstyle|}}} |label={{{label68|}}} |labelstyle={{{labelstyle|}}} |data={{{data68|}}} |datastyle={{{datastyle|}}} |class={{{class68|}}} |rowclass={{{rowclass68|}}} }}{{Infobox/row |header={{{header69|}}} |headerstyle={{{headerstyle|}}} |label={{{label69|}}} |labelstyle={{{labelstyle|}}} |data={{{data69|}}} |datastyle={{{datastyle|}}} |class={{{class69|}}} |rowclass={{{rowclass69|}}} }}{{Infobox/row |header={{{header70|}}} |headerstyle={{{headerstyle|}}} |label={{{label70|}}} |labelstyle={{{labelstyle|}}} |data={{{data70|}}} |datastyle={{{datastyle|}}} |class={{{class70|}}} |rowclass={{{rowclass70|}}} }}{{Infobox/row |header={{{header71|}}} |headerstyle={{{headerstyle|}}} |label={{{label71|}}} |labelstyle={{{labelstyle|}}} |data={{{data71|}}} |datastyle={{{datastyle|}}} |class={{{class71|}}} |rowclass={{{rowclass71|}}} }}{{Infobox/row |header={{{header72|}}} |headerstyle={{{headerstyle|}}} |label={{{label72|}}} |labelstyle={{{labelstyle|}}} |data={{{data72|}}} |datastyle={{{datastyle|}}} |class={{{class72|}}} |rowclass={{{rowclass72|}}} }}{{Infobox/row |header={{{header73|}}} |headerstyle={{{headerstyle|}}} |label={{{label73|}}} |labelstyle={{{labelstyle|}}} |data={{{data73|}}} |datastyle={{{datastyle|}}} |class={{{class73|}}} |rowclass={{{rowclass73|}}} }}{{Infobox/row |header={{{header74|}}} |headerstyle={{{headerstyle|}}} |label={{{label74|}}} |labelstyle={{{labelstyle|}}} |data={{{data74|}}} |datastyle={{{datastyle|}}} |class={{{class74|}}} |rowclass={{{rowclass74|}}} }}{{Infobox/row |header={{{header75|}}} |headerstyle={{{headerstyle|}}} |label={{{label75|}}} |labelstyle={{{labelstyle|}}} |data={{{data75|}}} |datastyle={{{datastyle|}}} |class={{{class75|}}} |rowclass={{{rowclass75|}}} }}{{Infobox/row |header={{{header76|}}} |headerstyle={{{headerstyle|}}} |label={{{label76|}}} |labelstyle={{{labelstyle|}}} |data={{{data76|}}} |datastyle={{{datastyle|}}} |class={{{class76|}}} |rowclass={{{rowclass76|}}} }}{{Infobox/row |header={{{header77|}}} |headerstyle={{{headerstyle|}}} |label={{{label77|}}} |labelstyle={{{labelstyle|}}} |data={{{data77|}}} |datastyle={{{datastyle|}}} |class={{{class77|}}} |rowclass={{{rowclass77|}}} }}{{Infobox/row |header={{{header78|}}} |headerstyle={{{headerstyle|}}} |label={{{label78|}}} |labelstyle={{{labelstyle|}}} |data={{{data78|}}} |datastyle={{{datastyle|}}} |class={{{class78|}}} |rowclass={{{rowclass78|}}} }}{{Infobox/row |header={{{header79|}}} |headerstyle={{{headerstyle|}}} |label={{{label79|}}} |labelstyle={{{labelstyle|}}} |data={{{data79|}}} |datastyle={{{datastyle|}}} |class={{{class79|}}} |rowclass={{{rowclass79|}}} }}{{Infobox/row |header={{{header80|}}} |headerstyle={{{headerstyle|}}} |label={{{label80|}}} |labelstyle={{{labelstyle|}}} |data={{{data80|}}} |datastyle={{{datastyle|}}} |class={{{class80|}}} |rowclass={{{rowclass80|}}} }}{{Infobox/row |header={{{header81|}}} |headerstyle={{{headerstyle|}}} |label={{{label81|}}} |labelstyle={{{labelstyle|}}} |data={{{data81|}}} |datastyle={{{datastyle|}}} |class={{{class81|}}} |rowclass={{{rowclass81|}}} }}{{Infobox/row |header={{{header82|}}} |headerstyle={{{headerstyle|}}} |label={{{label82|}}} |labelstyle={{{labelstyle|}}} |data={{{data82|}}} |datastyle={{{datastyle|}}} |class={{{class82|}}} |rowclass={{{rowclass82|}}} }}{{Infobox/row |header={{{header83|}}} |headerstyle={{{headerstyle|}}} |label={{{label83|}}} |labelstyle={{{labelstyle|}}} |data={{{data83|}}} |datastyle={{{datastyle|}}} |class={{{class83|}}} |rowclass={{{rowclass83|}}} }}{{Infobox/row |header={{{header84|}}} |headerstyle={{{headerstyle|}}} |label={{{label84|}}} |labelstyle={{{labelstyle|}}} |data={{{data84|}}} |datastyle={{{datastyle|}}} |class={{{class84|}}} |rowclass={{{rowclass84|}}} }}{{Infobox/row |header={{{header85|}}} |headerstyle={{{headerstyle|}}} |label={{{label85|}}} |labelstyle={{{labelstyle|}}} |data={{{data85|}}} |datastyle={{{datastyle|}}} |class={{{class85|}}} |rowclass={{{rowclass85|}}} }}{{Infobox/row |header={{{header86|}}} |headerstyle={{{headerstyle|}}} |label={{{label86|}}} |labelstyle={{{labelstyle|}}} |data={{{data86|}}} |datastyle={{{datastyle|}}} |class={{{class86|}}} |rowclass={{{rowclass86|}}} }}{{Infobox/row |header={{{header87|}}} |headerstyle={{{headerstyle|}}} |label={{{label87|}}} |labelstyle={{{labelstyle|}}} |data={{{data87|}}} |datastyle={{{datastyle|}}} |class={{{class87|}}} |rowclass={{{rowclass87|}}} }}{{Infobox/row |header={{{header88|}}} |headerstyle={{{headerstyle|}}} |label={{{label88|}}} |labelstyle={{{labelstyle|}}} |data={{{data88|}}} |datastyle={{{datastyle|}}} |class={{{class88|}}} |rowclass={{{rowclass88|}}} }}{{Infobox/row |header={{{header89|}}} |headerstyle={{{headerstyle|}}} |label={{{label89|}}} |labelstyle={{{labelstyle|}}} |data={{{data89|}}} |datastyle={{{datastyle|}}} |class={{{class89|}}} |rowclass={{{rowclass89|}}} }}{{Infobox/row |header={{{header90|}}} |headerstyle={{{headerstyle|}}} |label={{{label90|}}} |labelstyle={{{labelstyle|}}} |data={{{data90|}}} |datastyle={{{datastyle|}}} |class={{{class90|}}} |rowclass={{{rowclass90|}}} }}{{Infobox/row |header={{{header91|}}} |headerstyle={{{headerstyle|}}} |label={{{label91|}}} |labelstyle={{{labelstyle|}}} |data={{{data91|}}} |datastyle={{{datastyle|}}} |class={{{class91|}}} |rowclass={{{rowclass91|}}} }}{{Infobox/row |header={{{header92|}}} |headerstyle={{{headerstyle|}}} |label={{{label92|}}} |labelstyle={{{labelstyle|}}} |data={{{data92|}}} |datastyle={{{datastyle|}}} |class={{{class92|}}} |rowclass={{{rowclass92|}}} }}{{Infobox/row |header={{{header93|}}} |headerstyle={{{headerstyle|}}} |label={{{label93|}}} |labelstyle={{{labelstyle|}}} |data={{{data93|}}} |datastyle={{{datastyle|}}} |class={{{class93|}}} |rowclass={{{rowclass93|}}} }}{{Infobox/row |header={{{header94|}}} |headerstyle={{{headerstyle|}}} |label={{{label94|}}} |labelstyle={{{labelstyle|}}} |data={{{data94|}}} |datastyle={{{datastyle|}}} |class={{{class94|}}} |rowclass={{{rowclass94|}}} }}{{Infobox/row |header={{{header95|}}} |headerstyle={{{headerstyle|}}} |label={{{label95|}}} |labelstyle={{{labelstyle|}}} |data={{{data95|}}} |datastyle={{{datastyle|}}} |class={{{class95|}}} |rowclass={{{rowclass95|}}} }}{{Infobox/row |header={{{header96|}}} |headerstyle={{{headerstyle|}}} |label={{{label96|}}} |labelstyle={{{labelstyle|}}} |data={{{data96|}}} |datastyle={{{datastyle|}}} |class={{{class96|}}} |rowclass={{{rowclass96|}}} }}{{Infobox/row |header={{{header97|}}} |headerstyle={{{headerstyle|}}} |label={{{label97|}}} |labelstyle={{{labelstyle|}}} |data={{{data97|}}} |datastyle={{{datastyle|}}} |class={{{class97|}}} |rowclass={{{rowclass97|}}} }}{{Infobox/row |header={{{header98|}}} |headerstyle={{{headerstyle|}}} |label={{{label98|}}} |labelstyle={{{labelstyle|}}} |data={{{data98|}}} |datastyle={{{datastyle|}}} |class={{{class98|}}} |rowclass={{{rowclass98|}}} }}{{Infobox/row |header={{{header99|}}} |headerstyle={{{headerstyle|}}} |label={{{label99|}}} |labelstyle={{{labelstyle|}}} |data={{{data99|}}} |datastyle={{{datastyle|}}} |class={{{class99|}}} |rowclass={{{rowclass99|}}} }}<!-- Below -->{{#if:{{{below|}}}|<tr><td colspan="2" class="{{{belowclass|}}}" style="text-align:center; {{{belowstyle|}}}">{{{below}}}</td></tr>}}<!-- Navbar -->{{#if:{{{name|}}}|<tr><td colspan="2" style="text-align:right">{{navbar|{{{name}}}|mini=1}}</td></tr>}} {{#ifeq:{{{child|}}}|yes||</table>}}{{#switch:{{lc:{{{italic title|¬}}}}} |¬|no = <!-- no italic title --> ||force|yes = {{italic title|force={{#ifeq:{{lc:{{{italic title|}}}}}|force|true}}}} }}<includeonly>{{#ifeq:{{{decat|}}}|yes||{{#if:{{{data1|}}}{{{data2|}}}{{{data3|}}}{{{data4|}}}{{{data5|}}}{{{data6|}}}{{{data7|}}}{{{data8|}}}{{{data9|}}}{{{data10|}}}{{{data11|}}}{{{data12|}}}{{{data13|}}}{{{data14|}}}{{{data15|}}}{{{data16|}}}{{{data17|}}}{{{data18|}}}{{{data19|}}}{{{data20|}}}{{{data21|}}}{{{data22|}}}{{{data23|}}}{{{data24|}}}{{{data25|}}}{{{data26|}}}{{{data27|}}}{{{data28|}}}{{{data29|}}}{{{data30|}}}{{{data31|}}}{{{data32|}}}{{{data33|}}}{{{data34|}}}{{{data35|}}}{{{data36|}}}{{{data37|}}}{{{data38|}}}{{{data39|}}}{{{data40|}}}{{{data41|}}}{{{data42|}}}{{{data43|}}}{{{data44|}}}{{{data45|}}}{{{data46|}}}{{{data47|}}}{{{data48|}}}{{{data49|}}}{{{data50|}}}{{{data51|}}}{{{data52|}}}{{{data53|}}}{{{data54|}}}{{{data55|}}}{{{data56|}}}{{{data57|}}}{{{data58|}}}{{{data59|}}}{{{data60|}}}{{{data61|}}}{{{data62|}}}{{{data63|}}}{{{data64|}}}{{{data65|}}}{{{data66|}}}{{{data67|}}}{{{data68|}}}{{{data69|}}}{{{data70|}}}{{{data71|}}}{{{data72|}}}{{{data73|}}}{{{data74|}}}{{{data75|}}}{{{data76|}}}{{{data77|}}}{{{data78|}}}{{{data79|}}}{{{data80|}}}{{{data81|}}}{{{data82|}}}{{{data83|}}}{{{data84|}}}{{{data85|}}}{{{data86|}}}{{{data87|}}}{{{data88|}}}{{{data89|}}}{{{data90|}}}{{{data91|}}}{{{data92|}}}{{{data93|}}}{{{data94|}}}{{{data95|}}}{{{data96|}}}{{{data97|}}}{{{data98|}}}{{{data99|}}}||{{namespace detect|main=[[category:articles which use infobox templates with no data rows]]}}}}}}</includeonly><noinclude>{{documentation}}</noinclude> b508229b0fbd48db74979b1de9daf3d40b34430d Template:Infobox/row 10 7 223 9 2024-01-24T00:53:52Z Globalvision 2 1 revision imported wikitext text/x-wiki {{#if:{{{header|}}} |<tr><th colspan="2" class="{{{class|}}}" style="text-align:center; {{{headerstyle|}}}">{{{header}}}</th></tr> |{{#if:{{{data|}}} |<tr class="{{{rowclass|}}}">{{#if:{{{label|}}} |<th scope="row" style="text-align:left; {{{labelstyle|}}}">{{{label}}}</th> <td class="{{{class|}}}" style="{{{datastyle|}}}"> |<td colspan="2" class="{{{class|}}}" style="text-align:center; {{{datastyle|}}}"> }} {{{data}}}</td></tr> }} }} 49a1f9f5c244da1b34e5bf561520bb7ad7fe0785 Module:Arguments 828 117 225 224 2024-01-24T00:53:53Z Globalvision 2 1 revision imported Scribunto text/plain -- This module provides easy processing of arguments passed to Scribunto from -- #invoke. It is intended for use by other Lua modules, and should not be -- called from #invoke directly. local libraryUtil = require('libraryUtil') local checkType = libraryUtil.checkType local arguments = {} -- Generate four different tidyVal functions, so that we don't have to check the -- options every time we call it. local function tidyValDefault(key, val) if type(val) == 'string' then val = val:match('^%s*(.-)%s*$') if val == '' then return nil else return val end else return val end end local function tidyValTrimOnly(key, val) if type(val) == 'string' then return val:match('^%s*(.-)%s*$') else return val end end local function tidyValRemoveBlanksOnly(key, val) if type(val) == 'string' then if val:find('%S') then return val else return nil end else return val end end local function tidyValNoChange(key, val) return val end local function matchesTitle(given, title) local tp = type( given ) return (tp == 'string' or tp == 'number') and mw.title.new( given ).prefixedText == title end local translate_mt = { __index = function(t, k) return k end } function arguments.getArgs(frame, options) checkType('getArgs', 1, frame, 'table', true) checkType('getArgs', 2, options, 'table', true) frame = frame or {} options = options or {} --[[ -- Set up argument translation. --]] options.translate = options.translate or {} if getmetatable(options.translate) == nil then setmetatable(options.translate, translate_mt) end if options.backtranslate == nil then options.backtranslate = {} for k,v in pairs(options.translate) do options.backtranslate[v] = k end end if options.backtranslate and getmetatable(options.backtranslate) == nil then setmetatable(options.backtranslate, { __index = function(t, k) if options.translate[k] ~= k then return nil else return k end end }) end --[[ -- Get the argument tables. If we were passed a valid frame object, get the -- frame arguments (fargs) and the parent frame arguments (pargs), depending -- on the options set and on the parent frame's availability. If we weren't -- passed a valid frame object, we are being called from another Lua module -- or from the debug console, so assume that we were passed a table of args -- directly, and assign it to a new variable (luaArgs). --]] local fargs, pargs, luaArgs if type(frame.args) == 'table' and type(frame.getParent) == 'function' then if options.wrappers then --[[ -- The wrappers option makes Module:Arguments look up arguments in -- either the frame argument table or the parent argument table, but -- not both. This means that users can use either the #invoke syntax -- or a wrapper template without the loss of performance associated -- with looking arguments up in both the frame and the parent frame. -- Module:Arguments will look up arguments in the parent frame -- if it finds the parent frame's title in options.wrapper; -- otherwise it will look up arguments in the frame object passed -- to getArgs. --]] local parent = frame:getParent() if not parent then fargs = frame.args else local title = parent:getTitle():gsub('/sandbox$', '') local found = false if matchesTitle(options.wrappers, title) then found = true elseif type(options.wrappers) == 'table' then for _,v in pairs(options.wrappers) do if matchesTitle(v, title) then found = true break end end end -- We test for false specifically here so that nil (the default) acts like true. if found or options.frameOnly == false then pargs = parent.args end if not found or options.parentOnly == false then fargs = frame.args end end else -- options.wrapper isn't set, so check the other options. if not options.parentOnly then fargs = frame.args end if not options.frameOnly then local parent = frame:getParent() pargs = parent and parent.args or nil end end if options.parentFirst then fargs, pargs = pargs, fargs end else luaArgs = frame end -- Set the order of precedence of the argument tables. If the variables are -- nil, nothing will be added to the table, which is how we avoid clashes -- between the frame/parent args and the Lua args. local argTables = {fargs} argTables[#argTables + 1] = pargs argTables[#argTables + 1] = luaArgs --[[ -- Generate the tidyVal function. If it has been specified by the user, we -- use that; if not, we choose one of four functions depending on the -- options chosen. This is so that we don't have to call the options table -- every time the function is called. --]] local tidyVal = options.valueFunc if tidyVal then if type(tidyVal) ~= 'function' then error( "bad value assigned to option 'valueFunc'" .. '(function expected, got ' .. type(tidyVal) .. ')', 2 ) end elseif options.trim ~= false then if options.removeBlanks ~= false then tidyVal = tidyValDefault else tidyVal = tidyValTrimOnly end else if options.removeBlanks ~= false then tidyVal = tidyValRemoveBlanksOnly else tidyVal = tidyValNoChange end end --[[ -- Set up the args, metaArgs and nilArgs tables. args will be the one -- accessed from functions, and metaArgs will hold the actual arguments. Nil -- arguments are memoized in nilArgs, and the metatable connects all of them -- together. --]] local args, metaArgs, nilArgs, metatable = {}, {}, {}, {} setmetatable(args, metatable) local function mergeArgs(tables) --[[ -- Accepts multiple tables as input and merges their keys and values -- into one table. If a value is already present it is not overwritten; -- tables listed earlier have precedence. We are also memoizing nil -- values, which can be overwritten if they are 's' (soft). --]] for _, t in ipairs(tables) do for key, val in pairs(t) do if metaArgs[key] == nil and nilArgs[key] ~= 'h' then local tidiedVal = tidyVal(key, val) if tidiedVal == nil then nilArgs[key] = 's' else metaArgs[key] = tidiedVal end end end end end --[[ -- Define metatable behaviour. Arguments are memoized in the metaArgs table, -- and are only fetched from the argument tables once. Fetching arguments -- from the argument tables is the most resource-intensive step in this -- module, so we try and avoid it where possible. For this reason, nil -- arguments are also memoized, in the nilArgs table. Also, we keep a record -- in the metatable of when pairs and ipairs have been called, so we do not -- run pairs and ipairs on the argument tables more than once. We also do -- not run ipairs on fargs and pargs if pairs has already been run, as all -- the arguments will already have been copied over. --]] metatable.__index = function (t, key) --[[ -- Fetches an argument when the args table is indexed. First we check -- to see if the value is memoized, and if not we try and fetch it from -- the argument tables. When we check memoization, we need to check -- metaArgs before nilArgs, as both can be non-nil at the same time. -- If the argument is not present in metaArgs, we also check whether -- pairs has been run yet. If pairs has already been run, we return nil. -- This is because all the arguments will have already been copied into -- metaArgs by the mergeArgs function, meaning that any other arguments -- must be nil. --]] if type(key) == 'string' then key = options.translate[key] end local val = metaArgs[key] if val ~= nil then return val elseif metatable.donePairs or nilArgs[key] then return nil end for _, argTable in ipairs(argTables) do local argTableVal = tidyVal(key, argTable[key]) if argTableVal ~= nil then metaArgs[key] = argTableVal return argTableVal end end nilArgs[key] = 'h' return nil end metatable.__newindex = function (t, key, val) -- This function is called when a module tries to add a new value to the -- args table, or tries to change an existing value. if type(key) == 'string' then key = options.translate[key] end if options.readOnly then error( 'could not write to argument table key "' .. tostring(key) .. '"; the table is read-only', 2 ) elseif options.noOverwrite and args[key] ~= nil then error( 'could not write to argument table key "' .. tostring(key) .. '"; overwriting existing arguments is not permitted', 2 ) elseif val == nil then --[[ -- If the argument is to be overwritten with nil, we need to erase -- the value in metaArgs, so that __index, __pairs and __ipairs do -- not use a previous existing value, if present; and we also need -- to memoize the nil in nilArgs, so that the value isn't looked -- up in the argument tables if it is accessed again. --]] metaArgs[key] = nil nilArgs[key] = 'h' else metaArgs[key] = val end end local function translatenext(invariant) local k, v = next(invariant.t, invariant.k) invariant.k = k if k == nil then return nil elseif type(k) ~= 'string' or not options.backtranslate then return k, v else local backtranslate = options.backtranslate[k] if backtranslate == nil then -- Skip this one. This is a tail call, so this won't cause stack overflow return translatenext(invariant) else return backtranslate, v end end end metatable.__pairs = function () -- Called when pairs is run on the args table. if not metatable.donePairs then mergeArgs(argTables) metatable.donePairs = true end return translatenext, { t = metaArgs } end local function inext(t, i) -- This uses our __index metamethod local v = t[i + 1] if v ~= nil then return i + 1, v end end metatable.__ipairs = function (t) -- Called when ipairs is run on the args table. return inext, t, 0 end return args end return arguments 3134ecce8429b810d445e29eae115e2ae4c36c53 Template:Small 10 118 229 228 2024-01-24T00:53:54Z Globalvision 2 1 revision imported wikitext text/x-wiki <small style="font-size:85%;">{{{1}}}</small>{{#if:{{{1|}}}||<includeonly>[[Category:Pages using small with an empty input parameter]]</includeonly>}}<noinclude> <!--Categories and interwikis go in the /doc sub-page.--> {{Documentation}} </noinclude> 7136693c3e30c60915ede6cc616e1ef0a6c35d67 Template:Flagicon 10 119 231 230 2024-01-24T00:53:55Z Globalvision 2 1 revision imported wikitext text/x-wiki [[file:{{{1}}}Melfest.png|22px|{{{size}}}px|border|link=]] 9450be67f0ec4caaa5bb5b4e01b58827bd970f64 Template:Countrylink 10 120 233 232 2024-01-24T00:53:55Z Globalvision 2 1 revision imported wikitext text/x-wiki [[{{{1}}} {{#if:{{{y|}}}|in The Song {{{y|}}}}}|{{{2|{{{1}}}}}}]]<noinclude> Makes links to individual The Song countries easier to type. '''Using the template:'''<br/> * <nowiki>{{Countrylink|Denmark}}</nowiki> → [[Denmark]] * <nowiki>{{Countrylink|Denmark|Danish}}</nowiki> → [[Denmark|Danish]] * <nowiki>{{Countrylink|Denmark|y=1}}</nowiki> → [[Denmark]] </noinclude> dc773091abaf623a5e4e985bfbc4c22b5bf63675 Template:Escyr 10 54 235 85 2024-01-24T00:53:56Z Globalvision 2 1 revision imported wikitext text/x-wiki [[{{#switch: {{lc:{{{2|}}}}} | as | asiavoice | asvc = Asiavoice Song Contest | af | afvc = Afrivoice Song Contest | amerivoice | am | amvc = Amerivoice Song Contest | dancers | Eurovoice Song Contest}} {{{1|}}}|{{#if: {{{3|}}}| {{{3|}}}|{{{1|}}}}}]]<noinclude> {{Documentation}} </noinclude> a3ce7f3573def024b18384a992353a12e1904306 Template:Legend 10 121 237 236 2024-01-24T00:53:57Z Globalvision 2 1 revision imported wikitext text/x-wiki <includeonly><div class="legend"><span class="legend-color" style="display:inline-block; width:1.5em; height:1.5em; margin:1px 0; border:{{{border|1px solid {{{outline|black}}}}}}; background-color:{{trim|{{{1|transparent}}}}}; color:{{{textcolor|black}}}; font-size:{{{size|100%}}}; text-align:center;">{{#if:{{{text|}}}|<span class="legend-text" style="font-size:95%;">{{{text}}}</span>|&nbsp;}}</span>&nbsp;{{{2|}}}</div></includeonly><noinclude> {{Documentation}} </noinclude> 27c2938b9d3ee7bec88526d278beb6dfd6c3ea9d Template:Trim 10 122 239 238 2024-01-24T00:53:58Z Globalvision 2 1 revision imported wikitext text/x-wiki <includeonly>{{ {{{|safesubst:}}}#if:1|{{{1|}}}}}</includeonly> a91276f8fe48ce1fab15d24fb136c6b4442343b3 Template:Infobox country edition 10 123 241 240 2024-01-24T00:53:59Z Globalvision 2 1 revision imported wikitext text/x-wiki {{Infobox |width = 27em |above =[[The Song {{{edition|<noinclude>-</noinclude>}}}]] |aboveclass = name |abovestyle = background: {{{bgcolour|#bfdfff}}}; |headerstyle = background: {{{bgcolour|#bfdfff}}}; |label1 = Country |data1 = {{{{{country}}}}} |header2 = {{#if:{{{selection}}}{{{selection_dates}}}{{{entrant}}}{{{song}}}|National selection}} |label3 = Selection process |data3 = {{{selection}}} |label4 = Selection date(s) |data4 = {{{selection_dates|<noinclude>-</noinclude>}}} |label5 = Selected entrant |data5 = {{{entrant}}} |label6 = Selected song |data6 = {{{song}}} |label7 = {{nowrap|Selected songwriter(s)}} |data7 = {{{songwriter}}} |header8 = {{#if:{{{pqr_result}}}{{{sf_result}}}{{{final_result}}}|Finals performance}} |label9 = PQR result |data9 = {{{pqr_result|<noinclude>-</noinclude>}}} |label10 = Semi-final result |data10 = {{{semi_result|<noinclude>-</noinclude>}}} |label11 = Final result |data11 = {{{final_result|<noinclude>-</noinclude>}}} |header12 = {{#if:{{{prev}}}{{{next}}}|[[{{{country|<noinclude>-</noinclude>}}}|{{{country|<noinclude>-</noinclude>}}} in The Song]]}} |data13 = {{#if:{{{prev|}}}|[[{{{country}}} in The Song {{{prev}}}|◄ {{{prev}}}]]}} [[file:Eurovision Heart.png|15px]] {{#if:{{{next|}}}|[[{{{country}}} in The Song {{{next}}}|{{{next}}} ►]]}} }} <noinclude>{{Documentation}}</noinclude> 752b5ccf588cc9381b3574400b29aaa5383886ee Template:Estonia in The Song 10 124 243 242 2024-01-24T00:53:59Z Globalvision 2 1 revision imported wikitext text/x-wiki {{Navbox |name = Estonia in The Song |title = {{flagicon|Estonia}} [[Estonia|Estonia in The Song]] |listclass = hlist |state = {{{state|autocollapse}}} |nowrapitems = yes |group1 = Participation |list1 = * [[Estonia in The Song 1|#01]] * [[The Song 2|#02]] * [[Estonia in The Song 3|#03]] * [[Estonia in The Song 4|#04]] * [[Estonia in The Song 5|#05]] * [[Estonia in The Song 6|#06]] * [[Estonia in The Song 7|#07]] * [[Estonia in The Song 8|#08]] * [[Estonia in The Song 9|#09]] * [[The Song 10|#10]] |group2 = Artists |list2 = * Traffic * [[Shanon]] * [[Púr Múdd]] * [[Maian]] * [[Ariadne]] * [[NOËP]] * [[Jaagup Tuisk]] * [[Cartoon]], [[Time To Talk]] and [[Asena]] * [[Marcara]] and [[Siimi]] * [[Zack Grey]] |group3 = Songs |list3 = * "Vead" * "[[Paar tundi veel]]" * "[[Ooh Aah]]" * "[[Palava pudru]]" * "[[Hands Tied (Ariadne song)|Hands Tied]]" * "[[Setting Things on Fire]]" * "[[Las mängib ta]]" * "[[Omen]]" * "[[Zim Zimma]]" * "[[Off the Edge]]" }}<noinclude>{{collapsible option}} [[Category:The Song by country templates]] </noinclude> a816d8268a23b8d80220662dc580fcbdc82a16e1 Module:Navbar 828 125 245 244 2024-01-24T00:54:00Z Globalvision 2 1 revision imported Scribunto text/plain local p = {} local cfg = mw.loadData('Module:Navbar/configuration') local function get_title_arg(is_collapsible, template) local title_arg = 1 if is_collapsible then title_arg = 2 end if template then title_arg = 'template' end return title_arg end local function choose_links(template, args) -- The show table indicates the default displayed items. -- view, talk, edit, hist, move, watch -- TODO: Move to configuration. local show = {true, true, true, false, false, false} if template then show[2] = false show[3] = false local index = {t = 2, d = 2, e = 3, h = 4, m = 5, w = 6, talk = 2, edit = 3, hist = 4, move = 5, watch = 6} -- TODO: Consider removing TableTools dependency. for _, v in ipairs(require ('Module:TableTools').compressSparseArray(args)) do local num = index[v] if num then show[num] = true end end end local remove_edit_link = args.noedit if remove_edit_link then show[3] = false end return show end local function add_link(link_description, ul, is_mini, font_style) local l if link_description.url then l = {'[', '', ']'} else l = {'[[', '|', ']]'} end ul:tag('li') :addClass('nv-' .. link_description.full) :wikitext(l[1] .. link_description.link .. l[2]) :tag(is_mini and 'abbr' or 'span') :attr('title', link_description.html_title) :cssText(font_style) :wikitext(is_mini and link_description.mini or link_description.full) :done() :wikitext(l[3]) :done() end local function make_list(title_text, has_brackets, displayed_links, is_mini, font_style) local title = mw.title.new(mw.text.trim(title_text), cfg.title_namespace) if not title then error(cfg.invalid_title .. title_text) end local talkpage = title.talkPageTitle and title.talkPageTitle.fullText or '' -- TODO: Get link_descriptions and show into the configuration module. -- link_descriptions should be easier... local link_descriptions = { { ['mini'] = 'v', ['full'] = 'view', ['html_title'] = 'View this template', ['link'] = title.fullText, ['url'] = false }, { ['mini'] = 't', ['full'] = 'talk', ['html_title'] = 'Discuss this template', ['link'] = talkpage, ['url'] = false }, { ['mini'] = 'e', ['full'] = 'edit', ['html_title'] = 'Edit this template', ['link'] = title:fullUrl('action=edit'), ['url'] = true }, { ['mini'] = 'h', ['full'] = 'hist', ['html_title'] = 'History of this template', ['link'] = title:fullUrl('action=history'), ['url'] = true }, { ['mini'] = 'm', ['full'] = 'move', ['html_title'] = 'Move this template', ['link'] = mw.title.new('Special:Movepage'):fullUrl('target='..title.fullText), ['url'] = true }, { ['mini'] = 'w', ['full'] = 'watch', ['html_title'] = 'Watch this template', ['link'] = title:fullUrl('action=watch'), ['url'] = true } } local ul = mw.html.create('ul') if has_brackets then ul:addClass(cfg.classes.brackets) :cssText(font_style) end for i, _ in ipairs(displayed_links) do if displayed_links[i] then add_link(link_descriptions[i], ul, is_mini, font_style) end end return ul:done() end function p._navbar(args) -- TODO: We probably don't need both fontstyle and fontcolor... local font_style = args.fontstyle local font_color = args.fontcolor local is_collapsible = args.collapsible local is_mini = args.mini local is_plain = args.plain local collapsible_class = nil if is_collapsible then collapsible_class = cfg.classes.collapsible if not is_plain then is_mini = 1 end if font_color then font_style = (font_style or '') .. '; color: ' .. font_color .. ';' end end local navbar_style = args.style local div = mw.html.create():tag('div') div :addClass(cfg.classes.navbar) :addClass(cfg.classes.plainlinks) :addClass(cfg.classes.horizontal_list) :addClass(collapsible_class) -- we made the determination earlier :cssText(navbar_style) if is_mini then div:addClass(cfg.classes.mini) end local box_text = (args.text or cfg.box_text) .. ' ' -- the concatenated space guarantees the box text is separated if not (is_mini or is_plain) then div :tag('span') :addClass(cfg.classes.box_text) :cssText(font_style) :wikitext(box_text) end local template = args.template local displayed_links = choose_links(template, args) local has_brackets = args.brackets local title_arg = get_title_arg(is_collapsible, template) local title_text = args[title_arg] or (':' .. mw.getCurrentFrame():getParent():getTitle()) local list = make_list(title_text, has_brackets, displayed_links, is_mini, font_style) div:node(list) if is_collapsible then local title_text_class if is_mini then title_text_class = cfg.classes.collapsible_title_mini else title_text_class = cfg.classes.collapsible_title_full end div:done() :tag('div') :addClass(title_text_class) :cssText(font_style) :wikitext(args[1]) end return mw.getCurrentFrame():extensionTag{ name = 'templatestyles', args = { src = cfg.templatestyles } } .. tostring(div:done()) end function p.navbar(frame) return p._navbar(require('Module:Arguments').getArgs(frame)) end return p a5c8d3a8f8beb18984ea7f145ddbdf88a065d23e Module:Navbox 828 126 247 246 2024-01-24T00:54:00Z Globalvision 2 1 revision imported Scribunto text/plain -- -- This module implements {{Navbox}} -- local p = {} local navbar = require('Module:Navbar')._navbar local getArgs -- lazily initialized local args local border local listnums local ODD_EVEN_MARKER = '\127_ODDEVEN_\127' local RESTART_MARKER = '\127_ODDEVEN0_\127' local REGEX_MARKER = '\127_ODDEVEN(%d?)_\127' local function striped(wikitext) -- Return wikitext with markers replaced for odd/even striping. -- Child (subgroup) navboxes are flagged with a category that is removed -- by parent navboxes. The result is that the category shows all pages -- where a child navbox is not contained in a parent navbox. local orphanCat = '[[Category:Navbox orphans]]' if border == 'subgroup' and args.orphan ~= 'yes' then -- No change; striping occurs in outermost navbox. return wikitext .. orphanCat end local first, second = 'odd', 'even' if args.evenodd then if args.evenodd == 'swap' then first, second = second, first else first = args.evenodd second = first end end local changer if first == second then changer = first else local index = 0 changer = function (code) if code == '0' then -- Current occurrence is for a group before a nested table. -- Set it to first as a valid although pointless class. -- The next occurrence will be the first row after a title -- in a subgroup and will also be first. index = 0 return first end index = index + 1 return index % 2 == 1 and first or second end end local regex = orphanCat:gsub('([%[%]])', '%%%1') return (wikitext:gsub(regex, ''):gsub(REGEX_MARKER, changer)) -- () omits gsub count end local function processItem(item, nowrapitems) if item:sub(1, 2) == '{|' then -- Applying nowrap to lines in a table does not make sense. -- Add newlines to compensate for trim of x in |parm=x in a template. return '\n' .. item ..'\n' end if nowrapitems == 'yes' then local lines = {} for line in (item .. '\n'):gmatch('([^\n]*)\n') do local prefix, content = line:match('^([*:;#]+)%s*(.*)') if prefix and not content:match('^<span class="nowrap">') then line = prefix .. '<span class="nowrap">' .. content .. '</span>' end table.insert(lines, line) end item = table.concat(lines, '\n') end if item:match('^[*:;#]') then return '\n' .. item ..'\n' end return item end local function renderNavBar(titleCell) if args.navbar ~= 'off' and args.navbar ~= 'plain' and not (not args.name and mw.getCurrentFrame():getParent():getTitle():gsub('/sandbox$', '') == 'Template:Navbox') then titleCell:wikitext(navbar{ args.name, mini = 1, fontstyle = (args.basestyle or '') .. ';' .. (args.titlestyle or '') .. ';background:none transparent;border:none;box-shadow:none;padding:0;' }) end end -- -- Title row -- local function renderTitleRow(tbl) if not args.title then return end local titleRow = tbl:tag('tr') if args.titlegroup then titleRow :tag('th') :attr('scope', 'row') :addClass('navbox-group') :addClass(args.titlegroupclass) :cssText(args.basestyle) :cssText(args.groupstyle) :cssText(args.titlegroupstyle) :wikitext(args.titlegroup) end local titleCell = titleRow:tag('th'):attr('scope', 'col') if args.titlegroup then titleCell :css('border-left', '2px solid #fdfdfd') :css('width', '100%') end local titleColspan = 2 if args.imageleft then titleColspan = titleColspan + 1 end if args.image then titleColspan = titleColspan + 1 end if args.titlegroup then titleColspan = titleColspan - 1 end titleCell :cssText(args.basestyle) :cssText(args.titlestyle) :addClass('navbox-title') :attr('colspan', titleColspan) renderNavBar(titleCell) titleCell :tag('div') -- id for aria-labelledby attribute :attr('id', mw.uri.anchorEncode(args.title)) :addClass(args.titleclass) :css('font-size', '114%') :css('margin', '0 4em') :wikitext(processItem(args.title)) end -- -- Above/Below rows -- local function getAboveBelowColspan() local ret = 2 if args.imageleft then ret = ret + 1 end if args.image then ret = ret + 1 end return ret end local function renderAboveRow(tbl) if not args.above then return end tbl:tag('tr') :tag('td') :addClass('navbox-abovebelow') :addClass(args.aboveclass) :cssText(args.basestyle) :cssText(args.abovestyle) :attr('colspan', getAboveBelowColspan()) :tag('div') -- id for aria-labelledby attribute, if no title :attr('id', args.title and nil or mw.uri.anchorEncode(args.above)) :wikitext(processItem(args.above, args.nowrapitems)) end local function renderBelowRow(tbl) if not args.below then return end tbl:tag('tr') :tag('td') :addClass('navbox-abovebelow') :addClass(args.belowclass) :cssText(args.basestyle) :cssText(args.belowstyle) :attr('colspan', getAboveBelowColspan()) :tag('div') :wikitext(processItem(args.below, args.nowrapitems)) end -- -- List rows -- local function renderListRow(tbl, index, listnum) local row = tbl:tag('tr') if index == 1 and args.imageleft then row :tag('td') :addClass('noviewer') :addClass('navbox-image') :addClass(args.imageclass) :css('width', '1px') -- Minimize width :css('padding', '0px 2px 0px 0px') :cssText(args.imageleftstyle) :attr('rowspan', #listnums) :tag('div') :wikitext(processItem(args.imageleft)) end if args['group' .. listnum] then local groupCell = row:tag('th') -- id for aria-labelledby attribute, if lone group with no title or above if listnum == 1 and not (args.title or args.above or args.group2) then groupCell :attr('id', mw.uri.anchorEncode(args.group1)) end groupCell :attr('scope', 'row') :addClass('navbox-group') :addClass(args.groupclass) :cssText(args.basestyle) :css('width', args.groupwidth or '1%') -- If groupwidth not specified, minimize width groupCell :cssText(args.groupstyle) :cssText(args['group' .. listnum .. 'style']) :wikitext(args['group' .. listnum]) end local listCell = row:tag('td') if args['group' .. listnum] then listCell :css('text-align', 'left') :css('border-left-width', '2px') :css('border-left-style', 'solid') else listCell:attr('colspan', 2) end if not args.groupwidth then listCell:css('width', '100%') end local rowstyle -- usually nil so cssText(rowstyle) usually adds nothing if index % 2 == 1 then rowstyle = args.oddstyle else rowstyle = args.evenstyle end local listText = args['list' .. listnum] local oddEven = ODD_EVEN_MARKER if listText:sub(1, 12) == '</div><table' then -- Assume list text is for a subgroup navbox so no automatic striping for this row. oddEven = listText:find('<th[^>]*"navbox%-title"') and RESTART_MARKER or 'odd' end listCell :css('padding', '0px') :cssText(args.liststyle) :cssText(rowstyle) :cssText(args['list' .. listnum .. 'style']) :addClass('navbox-list') :addClass('navbox-' .. oddEven) :addClass(args.listclass) :addClass(args['list' .. listnum .. 'class']) :tag('div') :css('padding', (index == 1 and args.list1padding) or args.listpadding or '0em 0.25em') :wikitext(processItem(listText, args.nowrapitems)) if index == 1 and args.image then row :tag('td') :addClass('noviewer') :addClass('navbox-image') :addClass(args.imageclass) :css('width', '1px') -- Minimize width :css('padding', '0px 0px 0px 2px') :cssText(args.imagestyle) :attr('rowspan', #listnums) :tag('div') :wikitext(processItem(args.image)) end end -- -- Tracking categories -- local function needsHorizontalLists() if border == 'subgroup' or args.tracking == 'no' then return false end local listClasses = { ['plainlist'] = true, ['hlist'] = true, ['hlist hnum'] = true, ['hlist hwrap'] = true, ['hlist vcard'] = true, ['vcard hlist'] = true, ['hlist vevent'] = true, } return not (listClasses[args.listclass] or listClasses[args.bodyclass]) end local function hasBackgroundColors() for _, key in ipairs({'titlestyle', 'groupstyle', 'basestyle', 'abovestyle', 'belowstyle'}) do if tostring(args[key]):find('background', 1, true) then return true end end end local function hasBorders() for _, key in ipairs({'groupstyle', 'basestyle', 'abovestyle', 'belowstyle'}) do if tostring(args[key]):find('border', 1, true) then return true end end end local function isIllegible() local styleratio = require('Module:Color contrast')._styleratio for key, style in pairs(args) do if tostring(key):match("style$") then if styleratio{mw.text.unstripNoWiki(style)} < 4.5 then return true end end end return false end local function getTrackingCategories() local cats = {} if needsHorizontalLists() then table.insert(cats, 'Navigational boxes without horizontal lists') end if hasBackgroundColors() then table.insert(cats, 'Navboxes using background colours') end if isIllegible() then table.insert(cats, 'Potentially illegible navboxes') end if hasBorders() then table.insert(cats, 'Navboxes using borders') end return cats end local function renderTrackingCategories(builder) local title = mw.title.getCurrentTitle() if title.namespace ~= 10 then return end -- not in template space local subpage = title.subpageText if subpage == 'doc' or subpage == 'sandbox' or subpage == 'testcases' then return end for _, cat in ipairs(getTrackingCategories()) do builder:wikitext('[[Category:' .. cat .. ']]') end end -- -- Main navbox tables -- local function renderMainTable() local tbl = mw.html.create('table') :addClass('nowraplinks') :addClass(args.bodyclass) if args.title and (args.state ~= 'plain' and args.state ~= 'off') then if args.state == 'collapsed' then args.state = 'mw-collapsed' end tbl :addClass('mw-collapsible') :addClass(args.state or 'autocollapse') end tbl:css('border-spacing', 0) if border == 'subgroup' or border == 'none' then tbl :addClass('navbox-subgroup') :cssText(args.bodystyle) :cssText(args.style) else -- regular navbox - bodystyle and style will be applied to the wrapper table tbl :addClass('navbox-inner') :css('background', 'transparent') :css('color', 'inherit') end tbl:cssText(args.innerstyle) renderTitleRow(tbl) renderAboveRow(tbl) for i, listnum in ipairs(listnums) do renderListRow(tbl, i, listnum) end renderBelowRow(tbl) return tbl end function p._navbox(navboxArgs) args = navboxArgs listnums = {} for k, _ in pairs(args) do if type(k) == 'string' then local listnum = k:match('^list(%d+)$') if listnum then table.insert(listnums, tonumber(listnum)) end end end table.sort(listnums) border = mw.text.trim(args.border or args[1] or '') if border == 'child' then border = 'subgroup' end -- render the main body of the navbox local tbl = renderMainTable() -- render the appropriate wrapper around the navbox, depending on the border param local res = mw.html.create() if border == 'none' then local nav = res:tag('div') :attr('role', 'navigation') :node(tbl) -- aria-labelledby title, otherwise above, otherwise lone group if args.title or args.above or (args.group1 and not args.group2) then nav:attr('aria-labelledby', mw.uri.anchorEncode(args.title or args.above or args.group1)) else nav:attr('aria-label', 'Navbox') end elseif border == 'subgroup' then -- We assume that this navbox is being rendered in a list cell of a parent navbox, and is -- therefore inside a div with padding:0em 0.25em. We start with a </div> to avoid the -- padding being applied, and at the end add a <div> to balance out the parent's </div> res :wikitext('</div>') :node(tbl) :wikitext('<div>') else local nav = res:tag('div') :attr('role', 'navigation') :addClass('navbox') :addClass(args.navboxclass) :cssText(args.bodystyle) :cssText(args.style) :css('padding', '3px') :node(tbl) -- aria-labelledby title, otherwise above, otherwise lone group if args.title or args.above or (args.group1 and not args.group2) then nav:attr('aria-labelledby', mw.uri.anchorEncode(args.title or args.above or args.group1)) else nav:attr('aria-label', 'Navbox') end end if (args.nocat or 'false'):lower() == 'false' then renderTrackingCategories(res) end return striped(tostring(res)) end function p.navbox(frame) if not getArgs then getArgs = require('Module:Arguments').getArgs end args = getArgs(frame, {wrappers = {'Template:Navbox'}}) -- Read the arguments in the order they'll be output in, to make references number in the right order. local _ _ = args.title _ = args.above for i = 1, 20 do _ = args["group" .. tostring(i)] _ = args["list" .. tostring(i)] end _ = args.below return p._navbox(args) end return p 2cf7f5642ab6c9fef529f7213094109a34f505c1 Module:Navbox with collapsible groups 828 127 249 248 2024-01-24T00:54:01Z Globalvision 2 1 revision imported Scribunto text/plain -- This module implements {{Navbox with collapsible groups}} local q = {} local Navbox = require('Module:Navbox') -- helper functions local function concatstrings(s) local r = table.concat(s, '') if r:match('^%s*$') then r = nil end return r end local function concatstyles(s) local r = table.concat(s, ';') while r:match(';%s*;') do r = mw.ustring.gsub(r, ';%s*;', ';') end if r:match('^%s*;%s*$') then r = nil end return r end function q._navbox(pargs) -- table for args passed to navbox local targs = {} -- process args local passthrough = { ['name']=true,['navbar']=true,['state']=true,['border']=true, ['bodyclass']=true,['groupclass']=true,['listclass']=true, ['style']=true,['bodystyle']=true,['basestyle']=true, ['title']=true,['titleclass']=true,['titlestyle']=true, ['above']=true,['aboveclass']=true,['abovestyle']=true, ['below']=true,['belowclass']=true,['belowstyle']=true, ['image']=true,['imageclass']=true,['imagestyle']=true, ['imageleft']=true,['imageleftstyle']=true } for k,v in pairs(pargs) do if k and type(k) == 'string' then if passthrough[k] then targs[k] = v elseif (k:match('^list[0-9][0-9]*$') or k:match('^content[0-9][0-9]*$') ) then local n = mw.ustring.gsub(k, '^[a-z]*([0-9]*)$', '%1') if (targs['list' .. n] == nil and pargs['group' .. n] == nil and pargs['sect' .. n] == nil and pargs['section' .. n] == nil) then targs['list' .. n] = concatstrings( {pargs['list' .. n] or '', pargs['content' .. n] or ''}) end elseif (k:match('^group[0-9][0-9]*$') or k:match('^sect[0-9][0-9]*$') or k:match('^section[0-9][0-9]*$') ) then local n = mw.ustring.gsub(k, '^[a-z]*([0-9]*)$', '%1') if targs['list' .. n] == nil then local titlestyle = concatstyles( {pargs['groupstyle'] or '',pargs['secttitlestyle'] or '', pargs['group' .. n .. 'style'] or '', pargs['section' .. n ..'titlestyle'] or ''}) local liststyle = concatstyles( {pargs['liststyle'] or '', pargs['contentstyle'] or '', pargs['list' .. n .. 'style'] or '', pargs['content' .. n .. 'style'] or ''}) local title = concatstrings( {pargs['group' .. n] or '', pargs['sect' .. n] or '', pargs['section' .. n] or ''}) local list = concatstrings( {pargs['list' .. n] or '', pargs['content' .. n] or ''}) local state = (pargs['abbr' .. n] and pargs['abbr' .. n] == pargs['selected']) and 'uncollapsed' or pargs['state' .. n] or 'collapsed' targs['list' .. n] = Navbox._navbox( {'child', navbar = 'plain', state = state, basestyle = pargs['basestyle'], title = title, titlestyle = titlestyle, list1 = list, liststyle = liststyle, listclass = pargs['list' .. n .. 'class'], image = pargs['image' .. n], imageleft = pargs['imageleft' .. n], listpadding = pargs['listpadding']}) end end end end -- ordering of style and bodystyle targs['style'] = concatstyles({targs['style'] or '', targs['bodystyle'] or ''}) targs['bodystyle'] = nil -- child or subgroup if targs['border'] == nil then targs['border'] = pargs[1] end return Navbox._navbox(targs) end function q.navbox(frame) local pargs = require('Module:Arguments').getArgs(frame, {wrappers = {'Template:Navbox with collapsible groups'}}) -- Read the arguments in the order they'll be output in, to make references number in the right order. local _ _ = pargs.title _ = pargs.above for i = 1, 20 do _ = pargs["group" .. tostring(i)] _ = pargs["list" .. tostring(i)] end _ = pargs.below return q._navbox(pargs) end return q 2864676f591b877887a32d4052e2f3a2c90c8d97 Module:Navbar/configuration 828 128 251 250 2024-01-24T00:54:01Z Globalvision 2 1 revision imported Scribunto text/plain return { ['templatestyles'] = 'Module:Navbar/styles.css', ['box_text'] = 'This box: ', -- default text box when not plain or mini ['title_namespace'] = 'Template', -- namespace to default to for title ['invalid_title'] = 'Invalid title ', ['classes'] = { -- set a line to nil if you don't want it ['navbar'] = 'navbar', ['plainlinks'] = 'plainlinks', -- plainlinks ['horizontal_list'] = 'hlist', -- horizontal list class ['mini'] = 'navbar-mini', -- class indicating small links in the navbar ['this_box'] = 'navbar-boxtext', ['brackets'] = 'navbar-brackets', -- 'collapsible' is the key for a class to indicate the navbar is -- setting up the collapsible element in addition to the normal -- navbar. ['collapsible'] = 'navbar-collapse', ['collapsible_title_mini'] = 'navbar-ct-mini', ['collapsible_title_full'] = 'navbar-ct-full' } } bbf3d86b48a5b40835e8e232ae9821e6bca390ec Module:Navbar/styles.css 828 129 253 252 2024-01-24T00:54:06Z Globalvision 2 1 revision imported sanitized-css text/css /* {{pp|small=yes}} */ .navbar { display: inline; font-size: 88%; font-weight: normal; } .navbar-collapse { float: left; text-align: left; } .navbar-boxtext { word-spacing: 0; } .navbar ul { display: inline-block; white-space: nowrap; line-height: inherit; } .navbar-brackets::before { margin-right: -0.125em; content: '[ '; } .navbar-brackets::after { margin-left: -0.125em; content: ' ]'; } .navbar li { word-spacing: -0.125em; } .navbar a > span, .navbar a > abbr { text-decoration: inherit; } .navbar-mini abbr { font-variant: small-caps; border-bottom: none; text-decoration: none; cursor: inherit; } .navbar-ct-full { font-size: 114%; margin: 0 7em; } .navbar-ct-mini { font-size: 114%; margin: 0 4em; } /* Navbar styling when nested in infobox and navbox Should consider having a separate TemplateStyles for those specific places using an infobox/navbox and a navbar, or possibly override from using template */ .infobox .navbar { font-size: 100%; } .navbox .navbar { display: block; font-size: 100%; } .navbox-title .navbar { /* @noflip */ float: left; /* @noflip */ text-align: left; /* @noflip */ margin-right: 0.5em; } 8fac6fe5b897a77784d8a19001d46b0cc3765673 Template:The Song 9 10 130 255 254 2024-01-24T00:54:07Z Globalvision 2 1 revision imported wikitext text/x-wiki {{Navbox with collapsible groups | name = The Song 9 | title =<small>{{Escyr|8}}</small> ← [[The Song 9]] → <small>{{Escyr|10}}</small> | state = {{{state|uncollapsed}}} | selected = {{{1|}}} | bodyclass = hlist | group1 = Countries | abbr1 = countries | list1 = {{Navbox|child | group1 = Finalists<br />(by final results) | list1 = {{Countrylink|Armenia|y=9}} {{small|(winner)}} * {{Countrylink|Italy|y=9}} * {{Countrylink|Türkiye|y=9}} * {{Countrylink|Estonia|y=9}} * {{Countrylink|Australia}} * {{Countrylink|Slovenia}} * {{Countrylink|Finland|y=9}} * {{Countrylink|Russia}} * {{Countrylink|Sweden|y=9}} * {{Countrylink|Ireland}} * {{Countrylink|Poland|y=9}} * {{Countrylink|Cyprus}} * {{Countrylink|Bosnia and Herzegovina}} * {{Countrylink|Ukraine}} * {{Countrylink|Serbia|y=9}} * {{Countrylink|Kosovo|y=9}} * {{Countrylink|United Kingdom|y=9}} * {{Countrylink|Denmark|y=9}} * {{Countrylink|Bulgaria}} * {{Countrylink|France}} * {{Countrylink|Spain}} * {{Countrylink|Croatia|y=9}} * {{Countrylink|Norway|y=9}} * {{Countrylink|Germany|y=9}} * {{Countrylink|Switzerland|y=9}} * {{Countrylink|Greece|y=9}} | group2 = Semi-final 1<br />(alphabetical order) | list2 = * {{Countrylink|Andorra|y=9}} * {{Countrylink|Belgium|y=9}} * {{Countrylink|Czechia}} * {{Countrylink|Egypt}} * {{Countrylink|Israel}} * {{Countrylink|Lithuania|y=9}} * {{Countrylink|Malta}} * {{Countrylink|Netherlands|y=9}} * {{Countrylink|Portugal|y=9}} * {{Countrylink|San Marino|y=9}} | group3 = Semi-final 2<br />(alphabetical order) | list3 = * {{Countrylink|Algeria|y=9}} * {{Countrylink|Austria|y=9}} * {{Countrylink|Azerbaijan}} * {{Countrylink|Belarus}} * {{Countrylink|Georgia}} * {{Countrylink|Iceland|y=9}} * {{Countrylink|Kazakhstan|y=9}} * {{Countrylink|Latvia|y=9}} * {{Countrylink|Luxembourg|y=9}} * {{Countrylink|Morocco|y=9}} | group4 = P.Q.R.<br />(alphabetical order) | list4 = * {{Countrylink|Albania}} * {{Countrylink|Hungary}} * {{Countrylink|Lebanon|y=9}} * {{Countrylink|Moldova|y=9}} * {{Countrylink|Monaco}} * {{Countrylink|Montenegro}} * {{Countrylink|North Macedonia|y=9}} * {{Countrylink|Romania}} * {{Countrylink|Slovakia|y=9}} * {{Countrylink|Tunisia|y=9}} }} | group2 = Artists | abbr2 = artists | list2 = {{Navbox|child | group1 = Finalists<br />(by final results) | list1 = * [[Solann]] * [[Wax]] * [[Melis Fis]] * [[Marcara]] and [[Siimi]] * [[Cowboy Malfoy]] * [[Jelena Karleuša]] * [[Poshlaya Molly]] {{Abbr|feat.|featuring}} [[Katerina]] * [[SVEA]] * [[Bambie Thug]] * [[Kukon]] * [[LeeA]] * [[Džejla Ramović]] {{Abbr|feat.|featuring}} [[Henny]] * [[Positiff]] * [[Zera]] * [[Alba Kras]], [[Tony T]] and [[DJ Combo]] * [[Girli]] * [[Saint Clara]] * [[Djordan]] * [[Diva Faune]] and [[Emma Hoet]] * [[The Parrots]] * [[Grše]] * [[Stig Brenner]] and [[Newkid]] * [[Clide]] * [[Klischée]] * [[Stlk]] | group2 = Semi-final 1<br />(alphabetical order) | list2 = * [[Bazart]] * [[Beea]] * [[Fulminacci]] * [[Hard Driver]] and [[Adjuzt]] * [[King Vagabond]] and [[Corvyx]] * [[Neomak]] * [[P/\ST]] {{Abbr|feat.|featuring}} [[Gambrz Reprs]] and [[Sebe]] * [[Paulina Paukštaitytė]] * [[Relikc]] * [[Zak Abel]] | group3 = Semi-final 2<br />(alphabetical order) | list3 = * [[Amber Creek]] * [[Angel Cara]] and [[CHAiLD]] * [[Ashafar]], [[RAF Camora]] and [[Elai]] * [[BRÍET]] * [[Drozdy]] * [[Elvin Babazadə]] * [[Julian Guba]] * [[Lyna Mahyem]] * [[Quemmekh]] * [[RaiM]] | group4 = P.Q.R.<br />(alphabetical order) | list4 = * [[Albania|Alban Skenderaj]] and [[Albania|Ada]] * [[Moldova|Anna Lesko]] and [[Moldova|Gim]] * [[Romania|Annais]] and [[Romania|DJ Project]] * [[Lebanon|Blu Fiefer]] * [[Montenegro|David Dreshaj]] * [[Monaco|Izïa]] * [[Tunisia|Mayfly]] * [[Hungary|Mihályfi Luca]] and [[Hungary|Ekhoe]] * [[Slovakia|Sima]] * [[North Macedonia|Thea Trajkovska]] }} | group3 = Songs | abbr3 = songs | list3 = {{Navbox|child | group1 = Final<br />(by final results) | list1 = * "[[Petit corps]]" * "[[Colori]]" * "[[Kendini kandır]]" * "[[Zim Zimma]]" * "[[How I'd Kill]]" * "[[Alien]]" * "[[Kuka itkee nyt]]" * "[[Mishka]]" * "[[Dead Man Walking]]" * "[[Tsunami (11:11)]]" * "[[Matrioszki]]" * "[[Get Out My Way]]" * "[[Rizik]]" * "[[Spalahi]]" * "[[Iz subote u petak]]" * "[[Ju do ta shiheni]]" * "[[I Really F**ked It Up]]" * "[[Girl Like You]]" * "[[K'uv sum qk]]" * "[[The Club Will Get You]]" * "[[You Work All Day and Then You Die]]" * "[[Mamma mia]]" * "[[Bare mellom oss]]" * "[[Nicotine]]" * "[[So Good]]" * "[[See You Dance]]" | group2 = Semi-final 1<br />(alphabetical order) | list2 = * "[[Bučiuok]]" * "[[Dopamine]]" * "[[Fivuza Market]]" * "[[Grip (Omarm me)]]" * "[[Ilargi berriak]]" * "[[Nightmare (King Vagabond song)|Nightmare]]" * "[[No Fears]]" * "[[Tutto inutile]]" * "[[What Love Is]]" * "[[Would You Ever]]" | group3 = Semi-final 2<br />(alphabetical order) | list3 = * "[[Biri]]" * "[[Defibrillation]]" * "[[Hann er ekki þú]]" * "[[Kiss Me While U Can]]" * "[[Kolikpen]]" * "[[Loser Like You]]" * "[[Mal de toi]]" * "[[Poison (Amber Creek song)|Poison]]" * "[[Tiki taka]]" * "[[Zorki]]" | group4 = P.Q.R.<br />(alphabetical order) | list4 = * "[[Albania|Ama]]" * "[[Monaco|Etoile noire]]" * "[[Moldova|Guleala]]" * "[[Montenegro|I Believe]]" * "[[Slovakia|Ja]]" * "[[North Macedonia|Mnogu baram]]" * "[[Lebanon|Nazele Big Champagne]]" * "[[Romania|Numai tu]]" * "[[Tunisia|Passenger Seat]]" * "[[Hungary|Villám]]" }} }}<noinclude> {{documentation | content = {{collapsible option}} {{Collapsible sections option | list = {{hlist| countries | artists }} | example = countries }} 5d52dbf44a2641daff9b36afc5fe2a5dd38411fc France in Eurovoice 2024 0 131 256 2024-01-24T01:11:04Z Globalvision 2 Created page with "{{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in Eurovoic..." wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ===Festival de Musique Prime 46=== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- !Artist !Song !Language(s) !Genre | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 50430be0c14af6bc6d00a841cf978862fff54ac7 257 256 2024-01-24T01:11:26Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ===Festival de Musique Prime 46=== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- !Artist !Song !Language(s) !Genre | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" | |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 7c53063d88cf13e3ff5444b7ea43e4d1d792f5bc 258 257 2024-01-24T01:13:39Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ===Festival de Musique Prime 46=== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final - 14 October 2023 !Artist !Song !Points !Place |- style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 1b49cde6582874ea249a60e0d5ef22fbfd9f168c 259 258 2024-01-24T01:14:04Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ===Festival de Musique Prime 46=== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final - 14 October 2023 !Artist !Song !Points !Place | style="text-align:center;" |[[Marcara]] and [[Siimi]] |"[[Zim Zimma]]" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Meelik |"Hiilin" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |Manna |"Evil Thoughts" | style="text-align:center;" | style="text-align:center;" |-bgcolor="paleturquoise" | style="text-align:center;" |Fenkii and Põhja Korea |"Bangkok" | style="text-align:center;" | style="text-align:center;" |- | style="text-align:center;" |WATEVA, Sickrate and m els |"Revolve" | style="text-align:center;" | style="text-align:center;" |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> b72ca9f2b33b623f39d8d79d928ca52a46018323 260 259 2024-01-24T01:16:22Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ===Festival de Musique Prime 46=== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language ! Genre |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |{{hlist|Alena Shirmanova-Kostebelova|[[Blood Red Shoes|Steven Ansell]]}} |- ! scope="row" |Elly |"The Angel's Share" |English |{{hlist|Argyle Singh|Eliška Tunková|Jan Vávra|Rony Janeček}} |- ! scope="row" |Gianna Lei |"Starlet" |English |{{hlist|Gianna Leilani Rivolová|Morten Bergholt}} |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |{{hlist|Lenka Filipová|Marcus Tran|{{ill|Marpo|lt=Otakar Petřina|cs}}}} |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |{{hlist|{{ill|Nèro Scartch|lt=Jakub Svoboda|cs}}|Maria Broberg|Mikuláš Pejcha|Ondřej Slánský|Paweł "Leon" Krześniak|Žofie Dařbujánová}} |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |{{hlist|Edwin Lindberg|Jan Vávra|Lukas Hällgren|Tomas Sean Pšenička}} |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |{{hlist|Martin Zaujec|Tomáš Červinka|Tomáš Lobb}} |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> a85fb275c2240ec685f8e8c573b6bd94d6afcb7c 261 260 2024-01-24T01:17:23Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ===Festival de Musique Prime 46=== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language ! Genre |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 7144d4b4c7d043c435a986112f6b9190e36e8d1d 263 261 2024-01-24T01:19:23Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ===Festival de Musique Prime 46=== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language ! Genre |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> c447a537924a338645128fe0d148cac6e2f18846 264 263 2024-01-24T01:20:09Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language ! Genre |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 054abdd0377340396c0fdc68b9d205dd1a1e3f5d 265 264 2024-01-24T01:22:49Z Globalvision 2 /* Participating Entries */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language ! Genre |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 6a03ce8d16ddb50f6de5b2be22b43a895f46a8e8 266 265 2024-01-24T01:23:57Z Globalvision 2 /* Participating Entries */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language ! Genre |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> a2a401289d0831e82ca2f65bb6f2a81ce58c3f15 267 266 2024-01-24T01:24:39Z Globalvision 2 /* Participating Entries */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = Night 1: 11th December 2023 Night 2: 13th December 2023 Night 3: 15th December 2023 Final Night: 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language ! Genre |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 46e48b0185707d8308779e0a5257ab4453249743 268 267 2024-01-24T01:27:06Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language ! Genre |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |- ! scope="row" |Elly |"The Angel's Share" |English |p |- ! scope="row" |Gianna Lei |"Starlet" |English |p |- ! scope="row" |[[Lenny (singer)|Lenny]] |"Good Enough" |English |p |- ! scope="row" |{{ill|Mydy|cs}} |"Red Flag Parade" |English |p |- ! scope="row" |{{ill|Tom Sean|cs}} |"Dopamine Overdose" |English |p |- ! scope="row" |Tomas Robin |"Out of My Mind" |English |p |- ! scope="row" |[[Aiko (Czech singer)|Aiko]] |"[[Pedestal (Aiko song)|Pedestal]]" |English |p |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 589d7984f54dc8c9a74a176db1e60b0e95064f2f 270 268 2024-01-24T03:02:36Z Globalvision 2 /* Participating Entries */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: Here is the table for the given list in code format: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 258347208bdc083919066e620036918dd5984c36 271 270 2024-01-24T03:03:51Z Globalvision 2 /* Participating Entries */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 190d82c8bf02edc4bea835366fe3c5eb52388159 272 271 2024-01-24T03:39:46Z Globalvision 2 /* Participating Entries */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place | style="text-align:center;" |01 |Sophie Laurent |Donc | | |- | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | | |- | style="text-align:center;" |03 |ZaZa |Eguzki | | |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | | |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | | |- | style="text-align:center;" |06 |BEAU |The star of the show | | |- | style="text-align:center;" |07 |KWINJEU |Excuse moi? | | |- | style="text-align:center;" |08 |Victor Roux |VIP | | |- | style="text-align:center;" |09 |Aubergo |Interrupteur | | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place | style="text-align:center;" |11 | Xavier Dupont | Objets Perdus | | |- | style="text-align:center;" |12 | Isa Bella | À mort | | |- | style="text-align:center;" |13 | I Suonattori | più difficile | | |- | style="text-align:center;" |14 | Léa Roux | L'amour n'est pas facile à obtenir | | |- | style="text-align:center;" |15 | ANALIA | PRÉSENTATION: ANALIA | | |- | style="text-align:center;" |16 | The Lighthouse | Tuning In | | |- | style="text-align:center;" |17 | Quantino, LXLA | Nous sommes de l'un à l'autre | | |- | style="text-align:center;" |18 | Nouvel An | Onde sonore | | |- | style="text-align:center;" |19 | Guyaboy | Luv | | |- | style="text-align:center;" |20 | OIE | EXPÉRIENCEMOUETTE | | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place | style="text-align:center;" |21 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |22 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |23 | deux lilas | électricité | | |- | style="text-align:center;" |24 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |25 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |26 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" |27 | Mrde | Stagnant | | |- | style="text-align:center;" |28 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |29 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |30 | Lia Best | MDRR | | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 8bf5f969432bbc9f6654e97c89bcc9cba544f370 273 272 2024-01-24T03:41:45Z Globalvision 2 /* Shows */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | | |- | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | | |- | style="text-align:center;" |03 |ZaZa |Eguzki | | |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | | |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | | |- | style="text-align:center;" |06 |BEAU |The star of the show | | |- | style="text-align:center;" |07 |KWINJEU |Excuse moi? | | |- | style="text-align:center;" |08 |Victor Roux |VIP | | |- | style="text-align:center;" |09 |Aubergo |Interrupteur | | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place | style="text-align:center;" |11 | Xavier Dupont | Objets Perdus | | |- | style="text-align:center;" |12 | Isa Bella | À mort | | |- | style="text-align:center;" |13 | I Suonattori | più difficile | | |- | style="text-align:center;" |14 | Léa Roux | L'amour n'est pas facile à obtenir | | |- | style="text-align:center;" |15 | ANALIA | PRÉSENTATION: ANALIA | | |- | style="text-align:center;" |16 | The Lighthouse | Tuning In | | |- | style="text-align:center;" |17 | Quantino, LXLA | Nous sommes de l'un à l'autre | | |- | style="text-align:center;" |18 | Nouvel An | Onde sonore | | |- | style="text-align:center;" |19 | Guyaboy | Luv | | |- | style="text-align:center;" |20 | OIE | EXPÉRIENCEMOUETTE | | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place | style="text-align:center;" |21 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |22 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |23 | deux lilas | électricité | | |- | style="text-align:center;" |24 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |25 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |26 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" |27 | Mrde | Stagnant | | |- | style="text-align:center;" |28 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |29 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |30 | Lia Best | MDRR | | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 62cfa1c313af93bf19e8311786a233e2a69801be 274 273 2024-01-24T03:43:41Z Globalvision 2 /* Shows */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | | |- | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | | |- | style="text-align:center;" |03 |ZaZa |Eguzki | | |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | | |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | | |- | style="text-align:center;" |06 |BEAU |The star of the show | | |- | style="text-align:center;" |07 |KWINJEU |Excuse moi? | | |- | style="text-align:center;" |08 |Victor Roux |VIP | | |- | style="text-align:center;" |09 |Aubergo |Interrupteur | | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | | |- | style="text-align:center;" |02 | Isa Bella | À mort | | |- | style="text-align:center;" |03 | I Suonattori | più difficile | | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | | |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | | |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | | |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | | |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | | |- | style="text-align:center;" |09 | Guyaboy | Luv | | |- | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 96ffa6a8721ed3653b5c31f58353695057c6ccde 277 274 2024-01-24T19:09:25Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" | | style="text-align:center;" | |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" | | style="text-align:center;" | |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" | | style="text-align:center;" | |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" | | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | | |- | style="text-align:center;" |02 | Isa Bella | À mort | | |- | style="text-align:center;" |03 | I Suonattori | più difficile | | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | | |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | | |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | | |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | | |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | | |- | style="text-align:center;" |09 | Guyaboy | Luv | | |- | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 5df35d78c6901c4f1dda038d343cf1214cf97522 278 277 2024-01-24T19:11:56Z Globalvision 2 /* Shows */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | | |- | style="text-align:center;" |02 | Isa Bella | À mort | | |- | style="text-align:center;" |03 | I Suonattori | più difficile | | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | | |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | | |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | | |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | | |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | | |- | style="text-align:center;" |09 | Guyaboy | Luv | | |- | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 66b5394cc374e7c9cd76faae871df19757b7915d 279 278 2024-01-24T19:27:41Z Globalvision 2 /* Shows */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" |3 | style="text-align:center;" |10 |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" |3 | style="text-align:center;" |10 |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |3 | style="text-align:center;" |10 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |3 | style="text-align:center;" |10 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |3 | style="text-align:center;" |10 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |3 | style="text-align:center;" |10 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |3 | style="text-align:center;" |10 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" |3 | style="text-align:center;" |10 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 4a872e559d367ebaf6399bd12467a6a4c16cf5a9 281 279 2024-01-24T19:32:07Z Globalvision 2 /* Shows */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 9b3004dbfcc22f86975fa410b7b4288df23bd666 282 281 2024-01-24T19:34:54Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==Odds for PQR== {|class="wikitable sortable" ! Place ! Country ! Percent for Quality |- bgcolor="navajowhite" | 1 | TBA | |- | 2 | TBA | |- | 3 | TBA | |- | 4 | TBA | |- | 5 | TBA | |- | 6 | TBA | |- | 7 | TBA | |- | 8 | TBA | |- | 9 | TBA | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 2bc48444ab27310f29f24a6267f529d6fec8b7db 283 282 2024-01-24T19:35:34Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==Odds for Festival de Musique Primé 46== {|class="wikitable sortable" ! Place ! Country ! Percent to win |- bgcolor="gold" | 1 | TBA | |- | 2 | TBA | |- | 3 | TBA | |- | 4 | TBA | |- | 5 | TBA | |- | 6 | TBA | |- | 7 | TBA | |- | 8 | TBA | |- | 9 | TBA | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> e33f1c8cf6268f2080f20c24d8f8964f5fe0bbf4 284 283 2024-01-24T19:36:24Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==Odds for Festival de Musique Primé 46== {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Country ! Percent to Win |- bgcolor="gold" | 1 | TBA | |- | 2 | TBA | |- | 3 | TBA | |- | 4 | TBA | |- | 5 | TBA | |- | 6 | TBA | |- | 7 | TBA | |- | 8 | TBA | |- | 9 | TBA | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> b92da11975ee3e309d478b8a1f478065bd0b1502 285 284 2024-01-24T19:37:11Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==Odds for Festival de Musique Primé 46== {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | TBA | |- | 2 | TBA | |- | 3 | TBA | |- | 4 | TBA | |- | 5 | TBA | |- | 6 | TBA | |- | 7 | TBA | |- | 8 | TBA | |- | 9 | TBA | |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 46ac06489e49597901ace386ada16b69a880ac89 286 285 2024-01-24T19:47:17Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==Odds for Festival de Musique Primé 46== {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> e59763075f5374b32f034376f4246c0090e12b5f 287 286 2024-01-24T19:49:16Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 | ANI/MAL | J'y vais! | | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | | |- | style="text-align:center;" |03 | deux lilas | électricité | | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | | |- | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" | 07 | Mrde | Stagnant | | |- | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | | |- | style="text-align:center;" |10 | Lia Best | MDRR | | |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> af99a105ade31436b512129204d16a66288ef6b9 288 287 2024-01-24T19:53:33Z Globalvision 2 /* Shows */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" | | style="text-align:center;" | |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" | | style="text-align:center;" | |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" | | style="text-align:center;" ||} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> bf2795b7b14919dad79fa8d4c2d16e447f5feff4 289 288 2024-01-24T19:54:00Z Globalvision 2 /* Shows */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" | | style="text-align:center;" | |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" | | style="text-align:center;" | |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" | | style="text-align:center;" | |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> fab1f77590ee0b1cc8becd97d56a8582f6840cab 290 289 2024-01-24T19:57:32Z Globalvision 2 /* Shows */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" |16 | style="text-align:center;" |4 |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" |7 | style="text-align:center;" |8 |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" |9 | style="text-align:center;" |7 |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" |10 | style="text-align:center;" |6 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" |4 | style="text-align:center;" |9 |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" |12 | style="text-align:center;" |5 |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> fe6b8657407e99e59e762e24f73f99766d03cacc 291 290 2024-01-24T21:02:45Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = Sweden| edition = 2024 | selection = Stockholm Point 2024 | selection_dates = December 28th 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[Sweden]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winner of it's national final "Stockholm Point" On August 12th 2023, the Swedish broadcaster, STV, announced their participation in the contest and additionaly announced their selection method, a brand new televised show called Stockholm Point will help them decide their entry. ==Stockhom Point 2024== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 15th 2023, STV announced the entries that will compete in Stockholm Point 2024. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |4BIT |"En Natt" |Swedish |EDM, Ethnopop |- ! scope="row" |Adoramean |"TW!ST" |English |Girlbop, Alternative, Pop |- ! scope="row" |ally and son |"genom mitt fönster" |Swedish |Ethnopop |- ! scope="row" |ÉBBÉ |"Drained Water Drops" |English |Power Ballad, Pop |- ! scope="row" |Elsa Andersson & Oliver Persson |"For A While..." |English |Acoustic, Chill |- ! scope="row" |Eric |"Mobiltelefon" |English, Swedish |Pop |- ! scope="row" |Fåstkedjad |"XT" |Swedish, Romani |Goth-Rock |- ! scope="row" |Isabella Ekström |"Blåkulla" |English, Swedish |Witch, Darkpop |- ! scope="row" |Lakuma Kiss |"SCAREDY CAT !!" |English |Hyperpop |- ! scope="row" |Sköne |"Säg Ja Till Mig" |Swedish |Ballad |- ! scope="row" |VERI-LY |"Lights, Camera, Action" |English |Pop |- ! scope="row" |VIKT0R |"Calculator" |Swedish |Pop |- |} === Shows === Stockholm Point 2024 will only consist on one single show where 12 entries will compete to decide who is going to represent [[Sweden]] in [[Eurovoice 2024]]. The voting method will consist on a professional international jury panel that will determine the 25% of the total scre, followed by a televote, that will represent the 75% of the total score. f9d76da64fed4b3514e95570d8ce057b1f66c87a 292 291 2024-01-24T21:05:07Z Globalvision 2 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" |16 | style="text-align:center;" |4 |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" |7 | style="text-align:center;" |8 |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" |9 | style="text-align:center;" |7 |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" |10 | style="text-align:center;" |6 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" |4 | style="text-align:center;" |9 |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" |12 | style="text-align:center;" |5 |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> fe6b8657407e99e59e762e24f73f99766d03cacc 294 292 2024-01-25T03:11:54Z 179.62.61.168 0 /* Shows */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" |16 | style="text-align:center;" |4 |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" |7 | style="text-align:center;" |8 |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" |9 | style="text-align:center;" |7 |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" |10 | style="text-align:center;" |6 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" |4 | style="text-align:center;" |9 |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" |12 | style="text-align:center;" |5 |} ==== Final Night ==== In the final night of Festival de Musique Prime 46, the winner will be decided by a 50% jury vote (25% international jury panel and 25% national jury panel) and 50% on national televote. In case of a tiebreaker, the jury will have priority. {{Legend|gold|Winner}}{{Legend|silver|Second place}}{{Legend|brown|Third place}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final Night - December 17th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place | style="text-align:center;" |1 | KWINJEU | Excuse moi? | | |- | style="text-align:center;" |2 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" |3 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |4 | Aubergo | Interrupteur | | |- | style="text-align:center;" |5 | OIE | EXPÉRIENCEMOUETTE | | |- | style="text-align:center;" |6 | Xavier Dupont | Objets Perdus | | |- | style="text-align:center;" |7 | sunscape | assez de nuits (je suis fatigué) | | |- | style="text-align:center;" |8 | I Suonattori | più difficile | | |- | style="text-align:center;" |9 | ANI/MAL | J'y vais! | | |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> dc12cd63bda715021ae45d1ef0ff72dcaa1b5024 295 294 2024-01-25T03:12:29Z 179.62.61.168 0 /* Final Night */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" |16 | style="text-align:center;" |4 |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" |7 | style="text-align:center;" |8 |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" |9 | style="text-align:center;" |7 |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" |10 | style="text-align:center;" |6 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" |4 | style="text-align:center;" |9 |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" |12 | style="text-align:center;" |5 |} ==== Final Night ==== In the final night of Festival de Musique Prime 46, the winner will be decided by a 50% jury vote (25% international jury panel and 25% national jury panel) and 50% on national televote. In case of a tiebreaker, the jury will have priority. {{Legend|gold|Winner}}{{Legend|silver|Second place}}{{Legend|brown|Third place}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final Night - December 17th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- style="text-align:center;" |1 | KWINJEU | Excuse moi? | | |- | style="text-align:center;" |2 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" |3 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |4 | Aubergo | Interrupteur | | |- | style="text-align:center;" |5 | OIE | EXPÉRIENCEMOUETTE | | |- | style="text-align:center;" |6 | Xavier Dupont | Objets Perdus | | |- | style="text-align:center;" |7 | sunscape | assez de nuits (je suis fatigué) | | |- | style="text-align:center;" |8 | I Suonattori | più difficile | | |- | style="text-align:center;" |9 | ANI/MAL | J'y vais! | | |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> aeb2ad207c838da5bade419636cf5181b6b9f4d5 296 295 2024-01-25T03:12:54Z 179.62.61.168 0 /* Final Night */ wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" |16 | style="text-align:center;" |4 |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" |7 | style="text-align:center;" |8 |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" |9 | style="text-align:center;" |7 |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" |10 | style="text-align:center;" |6 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" |4 | style="text-align:center;" |9 |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" |12 | style="text-align:center;" |5 |} ==== Final Night ==== In the final night of Festival de Musique Prime 46, the winner will be decided by a 50% jury vote (25% international jury panel and 25% national jury panel) and 50% on national televote. In case of a tiebreaker, the jury will have priority. {{Legend|gold|Winner}}{{Legend|silver|Second place}}{{Legend|brown|Third place}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final Night - December 17th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |1 | KWINJEU | Excuse moi? | | |- | style="text-align:center;" |2 | Ar C'hwilotennoù | Neven du war ar stered | | |- | style="text-align:center;" |3 | Koko | Quand les lumières s'éteignent | | |- | style="text-align:center;" |4 | Aubergo | Interrupteur | | |- | style="text-align:center;" |5 | OIE | EXPÉRIENCEMOUETTE | | |- | style="text-align:center;" |6 | Xavier Dupont | Objets Perdus | | |- | style="text-align:center;" |7 | sunscape | assez de nuits (je suis fatigué) | | |- | style="text-align:center;" |8 | I Suonattori | più difficile | | |- | style="text-align:center;" |9 | ANI/MAL | J'y vais! | | |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 08e41a928cde7f6d82761601dbe3009562b1ac75 297 296 2024-01-26T15:01:25Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" |16 | style="text-align:center;" |4 |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" |7 | style="text-align:center;" |8 |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" |9 | style="text-align:center;" |7 |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" |10 | style="text-align:center;" |6 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" |4 | style="text-align:center;" |9 |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" |12 | style="text-align:center;" |5 |} ==== Final Night ==== In the final night of Festival de Musique Prime 46, the winner will be decided by a 50% jury vote (25% international jury panel and 25% national jury panel) and 50% on national televote. In case of a tiebreaker, the jury will have priority. {{Legend|gold|Winner}}{{Legend|silver|Second place}}{{Legend|brown|Third place}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final Night - December 17th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;silver;" | style="text-align:center;" |1 | KWINJEU | Excuse moi? | 110 | 2 |- | style="text-align:center;" |2 | Ar C'hwilotennoù | Neven du war ar stered | 29 | 9 |- | style="text-align:center;" |3 | Koko | Quand les lumières s'éteignent | 75 | 6 |- | style="text-align:center;" |4 | Aubergo | Interrupteur | 107 | 4 |-style="font-weight:bold;background:brown;" | style="text-align:center;" |5 | OIE | EXPÉRIENCEMOUETTE | 109 | 3 |- | style="text-align:center;" |6 | Xavier Dupont | Objets Perdus | 90 | 5 |- | style="text-align:center;" |7 | sunscape | assez de nuits (je suis fatigué) | 40 | 8 |- | style="text-align:center;" |8 | I Suonattori | più difficile | 50 | 7 |-style="font-weight:bold;background:gold;" | style="text-align:center;" |9 | ANI/MAL | J'y vais! | 134 | 1 |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> adae28bf3c00c0ffa3cb0218520181e2bcf96dc5 298 297 2024-01-26T15:01:59Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" |16 | style="text-align:center;" |4 |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" |7 | style="text-align:center;" |8 |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" |9 | style="text-align:center;" |7 |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" |10 | style="text-align:center;" |6 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" |4 | style="text-align:center;" |9 |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" |12 | style="text-align:center;" |5 |} ==== Final Night ==== In the final night of Festival de Musique Prime 46, the winner will be decided by a 50% jury vote (25% international jury panel and 25% national jury panel) and 50% on national televote. In case of a tiebreaker, the jury will have priority. {{Legend|gold|Winner}}{{Legend|silver|Second place}}{{Legend|brown|Third place}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final Night - December 17th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:silver;" | style="text-align:center;" |1 | KWINJEU | Excuse moi? | 110 | 2 |- | style="text-align:center;" |2 | Ar C'hwilotennoù | Neven du war ar stered | 29 | 9 |- | style="text-align:center;" |3 | Koko | Quand les lumières s'éteignent | 75 | 6 |- | style="text-align:center;" |4 | Aubergo | Interrupteur | 107 | 4 |-style="font-weight:bold;background:brown;" | style="text-align:center;" |5 | OIE | EXPÉRIENCEMOUETTE | 109 | 3 |- | style="text-align:center;" |6 | Xavier Dupont | Objets Perdus | 90 | 5 |- | style="text-align:center;" |7 | sunscape | assez de nuits (je suis fatigué) | 40 | 8 |- | style="text-align:center;" |8 | I Suonattori | più difficile | 50 | 7 |-style="font-weight:bold;background:gold;" | style="text-align:center;" |9 | ANI/MAL | J'y vais! | 134 | 1 |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> 30136935e14bc0bc62be443a2cebec6213b1d846 299 298 2024-01-26T15:03:21Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" |16 | style="text-align:center;" |4 |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" |7 | style="text-align:center;" |8 |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" |9 | style="text-align:center;" |7 |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" |10 | style="text-align:center;" |6 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" |4 | style="text-align:center;" |9 |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" |12 | style="text-align:center;" |5 |} ==== Final Night ==== In the final night of Festival de Musique Prime 46, the winner will be decided by a 50% jury vote (25% international jury panel and 25% national jury panel) and 50% on national televote. In case of a tiebreaker, the jury will have priority. {{Legend|gold|Winner}}{{Legend|silver|Second place}}{{Legend|cc9966|Third place}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final Night - December 17th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:silver;" | style="text-align:center;" |1 | KWINJEU | Excuse moi? | 110 | 2 |- | style="text-align:center;" |2 | Ar C'hwilotennoù | Neven du war ar stered | 29 | 9 |- | style="text-align:center;" |3 | Koko | Quand les lumières s'éteignent | 75 | 6 |- | style="text-align:center;" |4 | Aubergo | Interrupteur | 107 | 4 |-style="font-weight:bold;background:cc9966;" | style="text-align:center;" |5 | OIE | EXPÉRIENCEMOUETTE | 109 | 3 |- | style="text-align:center;" |6 | Xavier Dupont | Objets Perdus | 90 | 5 |- | style="text-align:center;" |7 | sunscape | assez de nuits (je suis fatigué) | 40 | 8 |- | style="text-align:center;" |8 | I Suonattori | più difficile | 50 | 7 |-style="font-weight:bold;background:gold;" | style="text-align:center;" |9 | ANI/MAL | J'y vais! | 134 | 1 |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> eb28096d99156b9cfca0845dccb61e7a2e5f4c4c 300 299 2024-01-26T15:03:46Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | | style="text-align:center;" | |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" |16 | style="text-align:center;" |4 |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" |7 | style="text-align:center;" |8 |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" |9 | style="text-align:center;" |7 |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" |10 | style="text-align:center;" |6 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | | style="text-align:center;" | |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" |4 | style="text-align:center;" |9 |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" |12 | style="text-align:center;" |5 |} ==== Final Night ==== In the final night of Festival de Musique Prime 46, the winner will be decided by a 50% jury vote (25% international jury panel and 25% national jury panel) and 50% on national televote. In case of a tiebreaker, the jury will have priority. {{Legend|gold|Winner}}{{Legend|silver|Second place}}{{Legend|#cc9966|Third place}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final Night - December 17th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:silver;" | style="text-align:center;" |1 | KWINJEU | Excuse moi? | 110 | 2 |- | style="text-align:center;" |2 | Ar C'hwilotennoù | Neven du war ar stered | 29 | 9 |- | style="text-align:center;" |3 | Koko | Quand les lumières s'éteignent | 75 | 6 |- | style="text-align:center;" |4 | Aubergo | Interrupteur | 107 | 4 |-style="font-weight:bold;background:#cc9966;" | style="text-align:center;" |5 | OIE | EXPÉRIENCEMOUETTE | 109 | 3 |- | style="text-align:center;" |6 | Xavier Dupont | Objets Perdus | 90 | 5 |- | style="text-align:center;" |7 | sunscape | assez de nuits (je suis fatigué) | 40 | 8 |- | style="text-align:center;" |8 | I Suonattori | più difficile | 50 | 7 |-style="font-weight:bold;background:gold;" | style="text-align:center;" |9 | ANI/MAL | J'y vais! | 134 | 1 |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> b21322e43cb949c7d597bbe4aef869f703b515d6 Template:Infobox country edition 10 123 262 241 2024-01-24T01:18:43Z Globalvision 2 wikitext text/x-wiki {{Infobox |width = 27em |above =[[Eurovoice {{{edition|<noinclude>-</noinclude>}}}]] |aboveclass = name |abovestyle = background: {{{bgcolour|#bfdfff}}}; |headerstyle = background: {{{bgcolour|#bfdfff}}}; |label1 = Country |data1 = {{{{{country}}}}} |header2 = {{#if:{{{selection}}}{{{selection_dates}}}{{{entrant}}}{{{song}}}|National selection}} |label3 = Selection process |data3 = {{{selection}}} |label4 = Selection date(s) |data4 = {{{selection_dates|<noinclude>-</noinclude>}}} |label5 = Selected entrant |data5 = {{{entrant}}} |label6 = Selected song |data6 = {{{song}}} |label7 = {{nowrap|Selected songwriter(s)}} |data7 = {{{songwriter}}} |header8 = {{#if:{{{pqr_result}}}{{{sf_result}}}{{{final_result}}}|Finals performance}} |label9 = PQR result |data9 = {{{pqr_result|<noinclude>-</noinclude>}}} |label10 = Semi-final result |data10 = {{{semi_result|<noinclude>-</noinclude>}}} |label11 = Final result |data11 = {{{final_result|<noinclude>-</noinclude>}}} |header12 = {{#if:{{{prev}}}{{{next}}}|[[{{{country|<noinclude>-</noinclude>}}}|{{{country|<noinclude>-</noinclude>}}} in Eurovoice]]}} |data13 = {{#if:{{{prev|}}}|[[{{{country}}} in Eurovoice {{{prev}}}|◄ {{{prev}}}]]}} [[file:Eurovision Heart.png|15px]] {{#if:{{{next|}}}|[[{{{country}}} in Eurovoice {{{next}}}|{{{next}}} ►]]}} }} <noinclude>{{Documentation}}</noinclude> a078efd6040f6d787baad3acb5b70d4a84a33ef3 Template:Estonia in The Song 10 124 269 243 2024-01-24T03:00:27Z Globalvision 2 Blanked the page wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Eurovoice 2024 0 29 275 209 2024-01-24T13:32:41Z 179.62.61.168 0 /* Participating Countries */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes |- style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. |- style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. |- style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. |- style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. |- style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems |- style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 17th 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Other Countries == * {{Albania}}: RTSH declined the invitation due to the denial of Kosovo and concerns about the previous events. * {{Andorra}}: RTVA cited lack of interest, sponsors, and financial constraints for not joining Eurovoice 2024. * {{Armenia}}: Withdrew due to political and military tensions with Azerbaijan and perceived lack of safety. * {{Azerbaijan}}: Withdrew citing bias, unfair treatment, and disrespect for sovereignty and territorial integrity. * {{Belarus}}: Didn't meet PEBO requirements due to dictatorship; accused Lukashenko of human rights violations. * {{Bosnia and Herzegovina}}: Skipped due to political and ethnic divisions hindering broadcaster cooperation. * {{Bulgaria}}: BNT decided not to participate, citing economic issues and increased costs. * {{Cyprus}}: Did not join due to ongoing dispute with Turkey over the northern part of the island. * {{Estonia}}: Opted out due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Georgia}}: Withdrew due to political and social unrest following disputed parliamentary elections. * {{Hungary}}: Did not enter due to controversial government policies criticized by PEBO and European institutions. * {{Latvia}}: Skipped due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Liechtenstein}}: Did not join due to lack of a national broadcaster and suitable selection process. * {{Lithuania}}: Opted out due to environmental and ethical concerns raised by the contest. * {{Malta}}: Withdrew due to a scandal and investigation involving their broadcaster, PBS. * {{Moldova}}: Did not enter due to a political and economic crisis following the collapse of the government. * {{Monaco}}: Did not join due to the country's low population and limited market. * {{Montenegro}}: Skipped due to financial constraints and poor results of previous entries. * {{North Macedonia}}: Withdrew due to the same reasons as Bulgaria, facing increased costs. * {{Romania}}: Did not enter due to legal and administrative issues affecting broadcaster TVR. * {{Russia}}: Withdrew due to political tensions and disputes with PEBO and some contest participants. * {{San Marino}}: Skipped due to logistical and technical difficulties in the contest. * {{Serbia}}: Withdrew due to cultural and religious conflicts encountered in the contest. * {{Slovakia}}: Did not enter due to lack of interest and support from the public and media. * {{Slovenia}}: Opted out due to financial difficulties and budget cuts. * {{Turkey}}: Did not join due to political and diplomatic tensions with some European countries and institutions. * {{Ukraine}}: Withdrew due to political tensions and disputes with Russia. eb73fa61df77a8fc8df9de92c488befc4f901ec7 276 275 2024-01-24T13:33:53Z 179.62.61.168 0 /* Participating Countries */ wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes |- style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. |- style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. |- style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. |- style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. |- style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems |- style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 17th 2023 (Festival de musique primé 48)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Other Countries == * {{Albania}}: RTSH declined the invitation due to the denial of Kosovo and concerns about the previous events. * {{Andorra}}: RTVA cited lack of interest, sponsors, and financial constraints for not joining Eurovoice 2024. * {{Armenia}}: Withdrew due to political and military tensions with Azerbaijan and perceived lack of safety. * {{Azerbaijan}}: Withdrew citing bias, unfair treatment, and disrespect for sovereignty and territorial integrity. * {{Belarus}}: Didn't meet PEBO requirements due to dictatorship; accused Lukashenko of human rights violations. * {{Bosnia and Herzegovina}}: Skipped due to political and ethnic divisions hindering broadcaster cooperation. * {{Bulgaria}}: BNT decided not to participate, citing economic issues and increased costs. * {{Cyprus}}: Did not join due to ongoing dispute with Turkey over the northern part of the island. * {{Estonia}}: Opted out due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Georgia}}: Withdrew due to political and social unrest following disputed parliamentary elections. * {{Hungary}}: Did not enter due to controversial government policies criticized by PEBO and European institutions. * {{Latvia}}: Skipped due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Liechtenstein}}: Did not join due to lack of a national broadcaster and suitable selection process. * {{Lithuania}}: Opted out due to environmental and ethical concerns raised by the contest. * {{Malta}}: Withdrew due to a scandal and investigation involving their broadcaster, PBS. * {{Moldova}}: Did not enter due to a political and economic crisis following the collapse of the government. * {{Monaco}}: Did not join due to the country's low population and limited market. * {{Montenegro}}: Skipped due to financial constraints and poor results of previous entries. * {{North Macedonia}}: Withdrew due to the same reasons as Bulgaria, facing increased costs. * {{Romania}}: Did not enter due to legal and administrative issues affecting broadcaster TVR. * {{Russia}}: Withdrew due to political tensions and disputes with PEBO and some contest participants. * {{San Marino}}: Skipped due to logistical and technical difficulties in the contest. * {{Serbia}}: Withdrew due to cultural and religious conflicts encountered in the contest. * {{Slovakia}}: Did not enter due to lack of interest and support from the public and media. * {{Slovenia}}: Opted out due to financial difficulties and budget cuts. * {{Turkey}}: Did not join due to political and diplomatic tensions with some European countries and institutions. * {{Ukraine}}: Withdrew due to political tensions and disputes with Russia. bb2817d9d50368e68e9c5e3400371b3a1a77d27e 280 276 2024-01-24T19:31:09Z Penguinx 6 aaa wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes |- style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. |- style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. |- style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. |- style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. |- style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems |- style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 17th 2023 (Festival de Musique Primé 46)'''</small> |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Other Countries == * {{Albania}}: RTSH declined the invitation due to the denial of Kosovo and concerns about the previous events. * {{Andorra}}: RTVA cited lack of interest, sponsors, and financial constraints for not joining Eurovoice 2024. * {{Armenia}}: Withdrew due to political and military tensions with Azerbaijan and perceived lack of safety. * {{Azerbaijan}}: Withdrew citing bias, unfair treatment, and disrespect for sovereignty and territorial integrity. * {{Belarus}}: Didn't meet PEBO requirements due to dictatorship; accused Lukashenko of human rights violations. * {{Bosnia and Herzegovina}}: Skipped due to political and ethnic divisions hindering broadcaster cooperation. * {{Bulgaria}}: BNT decided not to participate, citing economic issues and increased costs. * {{Cyprus}}: Did not join due to ongoing dispute with Turkey over the northern part of the island. * {{Estonia}}: Opted out due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Georgia}}: Withdrew due to political and social unrest following disputed parliamentary elections. * {{Hungary}}: Did not enter due to controversial government policies criticized by PEBO and European institutions. * {{Latvia}}: Skipped due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Liechtenstein}}: Did not join due to lack of a national broadcaster and suitable selection process. * {{Lithuania}}: Opted out due to environmental and ethical concerns raised by the contest. * {{Malta}}: Withdrew due to a scandal and investigation involving their broadcaster, PBS. * {{Moldova}}: Did not enter due to a political and economic crisis following the collapse of the government. * {{Monaco}}: Did not join due to the country's low population and limited market. * {{Montenegro}}: Skipped due to financial constraints and poor results of previous entries. * {{North Macedonia}}: Withdrew due to the same reasons as Bulgaria, facing increased costs. * {{Romania}}: Did not enter due to legal and administrative issues affecting broadcaster TVR. * {{Russia}}: Withdrew due to political tensions and disputes with PEBO and some contest participants. * {{San Marino}}: Skipped due to logistical and technical difficulties in the contest. * {{Serbia}}: Withdrew due to cultural and religious conflicts encountered in the contest. * {{Slovakia}}: Did not enter due to lack of interest and support from the public and media. * {{Slovenia}}: Opted out due to financial difficulties and budget cuts. * {{Turkey}}: Did not join due to political and diplomatic tensions with some European countries and institutions. * {{Ukraine}}: Withdrew due to political tensions and disputes with Russia. 23e3ea711291d0c12fda35c598198bdf2fdb706b Sweden in Eurovoice 2024 0 132 293 2024-01-24T21:06:24Z Globalvision 2 Created page with "{{Infobox country edition | country = Sweden| edition = 2024 | selection = Stockholm Point 2024 | selection_dates = December 28th 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[Sweden]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winner of it's national final "Stockholm Point" On A..." wikitext text/x-wiki {{Infobox country edition | country = Sweden| edition = 2024 | selection = Stockholm Point 2024 | selection_dates = December 28th 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[Sweden]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winner of it's national final "Stockholm Point" On August 12th 2023, the Swedish broadcaster, STV, announced their participation in the contest and additionaly announced their selection method, a brand new televised show called Stockholm Point will help them decide their entry. ==Stockhom Point 2024== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 15th 2023, STV announced the entries that will compete in Stockholm Point 2024. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |4BIT |"En Natt" |Swedish |EDM, Ethnopop |- ! scope="row" |Adoramean |"TW!ST" |English |Girlbop, Alternative, Pop |- ! scope="row" |ally and son |"genom mitt fönster" |Swedish |Ethnopop |- ! scope="row" |ÉBBÉ |"Drained Water Drops" |English |Power Ballad, Pop |- ! scope="row" |Elsa Andersson & Oliver Persson |"For A While..." |English |Acoustic, Chill |- ! scope="row" |Eric |"Mobiltelefon" |English, Swedish |Pop |- ! scope="row" |Fåstkedjad |"XT" |Swedish, Romani |Goth-Rock |- ! scope="row" |Isabella Ekström |"Blåkulla" |English, Swedish |Witch, Darkpop |- ! scope="row" |Lakuma Kiss |"SCAREDY CAT !!" |English |Hyperpop |- ! scope="row" |Sköne |"Säg Ja Till Mig" |Swedish |Ballad |- ! scope="row" |VERI-LY |"Lights, Camera, Action" |English |Pop |- ! scope="row" |VIKT0R |"Calculator" |Swedish |Pop |- |} === Shows === Stockholm Point 2024 will only consist on one single show where 12 entries will compete to decide who is going to represent [[Sweden]] in [[Eurovoice 2024]]. The voting method will consist on a professional international jury panel that will determine the 25% of the total scre, followed by a televote, that will represent the 75% of the total score. f9d76da64fed4b3514e95570d8ce057b1f66c87a Eurovoice 2024 0 29 301 280 2024-01-26T15:06:27Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes |- style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. |- style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. |- style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. |- style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. |- style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems |- style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || ANI/MAL || J'y vais! || English || EDM |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Other Countries == * {{Albania}}: RTSH declined the invitation due to the denial of Kosovo and concerns about the previous events. * {{Andorra}}: RTVA cited lack of interest, sponsors, and financial constraints for not joining Eurovoice 2024. * {{Armenia}}: Withdrew due to political and military tensions with Azerbaijan and perceived lack of safety. * {{Azerbaijan}}: Withdrew citing bias, unfair treatment, and disrespect for sovereignty and territorial integrity. * {{Belarus}}: Didn't meet PEBO requirements due to dictatorship; accused Lukashenko of human rights violations. * {{Bosnia and Herzegovina}}: Skipped due to political and ethnic divisions hindering broadcaster cooperation. * {{Bulgaria}}: BNT decided not to participate, citing economic issues and increased costs. * {{Cyprus}}: Did not join due to ongoing dispute with Turkey over the northern part of the island. * {{Estonia}}: Opted out due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Georgia}}: Withdrew due to political and social unrest following disputed parliamentary elections. * {{Hungary}}: Did not enter due to controversial government policies criticized by PEBO and European institutions. * {{Latvia}}: Skipped due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Liechtenstein}}: Did not join due to lack of a national broadcaster and suitable selection process. * {{Lithuania}}: Opted out due to environmental and ethical concerns raised by the contest. * {{Malta}}: Withdrew due to a scandal and investigation involving their broadcaster, PBS. * {{Moldova}}: Did not enter due to a political and economic crisis following the collapse of the government. * {{Monaco}}: Did not join due to the country's low population and limited market. * {{Montenegro}}: Skipped due to financial constraints and poor results of previous entries. * {{North Macedonia}}: Withdrew due to the same reasons as Bulgaria, facing increased costs. * {{Romania}}: Did not enter due to legal and administrative issues affecting broadcaster TVR. * {{Russia}}: Withdrew due to political tensions and disputes with PEBO and some contest participants. * {{San Marino}}: Skipped due to logistical and technical difficulties in the contest. * {{Serbia}}: Withdrew due to cultural and religious conflicts encountered in the contest. * {{Slovakia}}: Did not enter due to lack of interest and support from the public and media. * {{Slovenia}}: Opted out due to financial difficulties and budget cuts. * {{Turkey}}: Did not join due to political and diplomatic tensions with some European countries and institutions. * {{Ukraine}}: Withdrew due to political tensions and disputes with Russia. 2028c3671cddc118029a766d7f61961c6ae450bd 302 301 2024-01-26T15:07:04Z Penguinx 6 wikitext text/x-wiki {{Infobox Eurovision |name = Eurovoice Song Contest |year = 2024 |theme = |image = Eurovoice 2024.png |train = |semi1 = |semi2 = |second = |final = 16 May 2024 |exsupervisor = |exproducer = |presenters = Fabiana Rey<br>ANYA TALYA |conductor = |director = |host = [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]] |venue = [[Wikipedia:San Siro|San Siro]]<br>[[wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]] |winner = Yet to be decided |windance = |vote = Each country awards 12, 10, 8-1 points to their 10 favourite songs |entries = 20 |debut = All the participants |return = |withdraw = |disqualified = |null = None |opening = |openingl = |interval = |intervall = | map year = EVC01 <!-- Map Legend Colours --> | Green = y | Purple = | Red = | Yellow = }} The '''Eurovoice Song Contest 2024''' is set to be the first ever edition of the [[Eurovoice Song Contest]]. It is scheduled to take place in [[Wikipedia:Milan|Milan]], [[Wikipedia:Italy|Italy]], after accepted proposal to the Pan-Europian Broadcasting Organization. Organised by the Pan-Europian Broadcasting Organization (PEBO) and host broadcaster [[Wikipedia:RAI|Radiotelevisione italiana (RAI)]], the contest will be held at the [[Wikipedia:San Siro|San Siro]], and will have a final on 16 May 2024. Twenty countries were confirmed to participate in the contest, with all of its countries debuting. ==Location== ''For more details on the host country, see [[wikipedia:Italy|Italy]].'' ===Host City=== The 2024 contest will take place in Milan, Italy, following the proposal from RAI to the PEBO to host the contest . The selected venue is the 12000-seat [[Wikipedia:San Siro|San Siro]], the largest multi-purpose [[Wikipedia:List of indoor arenas|indoor arena]] in Milan, which serves as a venue for football matches, concerts, and other events. Another location will accommodate the "Turquoise Carpet" event, where the contestants and their delegations are presented before accredited press and fans. The host city also organises side events in conjunction with the contest. [[Wikipedia:Giardini Pubblici Indro Montanelli|Indro Montanelli Gardens]] will be the location of the VoiceVillage, which will host performances by contest participants and local artists, as well as screenings of the live shows, for the general public. ==='''Venue'''=== [[File:Stadio_Meazza_2021_3.jpg|left|thumb|183x183px|[[Wikipedia:San Siro|San Siro]]{{Snd}}host venue of the 2024 contest]]The '''San Siro Stadium''' (officially known as Stadio Giuseppe Meazza) is a football stadium located in the San Siro district of Milan, Italy. It is home to two of Milan's major football clubs, AC Milan and Inter Milan. The stadium has a seating capacity of '''80,018''' and is one of the largest stadiums in Europe and the largest in Italy. The stadium has hosted several international football matches, including the opening ceremony and six games at the 1990 FIFA World Cup, three games at the UEFA Euro 1980, and four European Cup finals, in 1965, 1970, 2001, and 2016. The stadium is also a potential venue for the UEFA Euro 2032. === Bidding phase === * The host city had to provide a certain number of hotels and hotel rooms to be found in the vicinity of the stadium. * The arena had to be able to offer lodges adjacent to the stadium. * A press centre had to be available at the stadium that will have a specific size. * RAI had to have access to the host venue at least 4–6 weeks before the broadcasts, in order to build the stage, rigging lights and all the technology. * The host city had to be close to a major airport. '''Key:'''<br/> {{Color box|#CEDFF2|†|border=darkgray}} Host city {{Color box|#D0F0C0|*|border=darkgray}} Shortlisted {{Color box|#F2E0CE|^|border=darkgray}} Submitted a bid {| class="wikitable plainrowheaders" |- ! City ! Venue ! Notes |- style="background:#F2E0CE" ! Bologna^ | Stadio Renato Dall'Ara | Historic football stadium, hosted 1990 FIFA World Cup. Concerns over capacity and production facilities. |- style="background:#F2E0CE" ! Florence^ | Stadio Artemio Franchi | Football stadium with history of hosting concerts. Proposed open-air roof installation. |- style="background:#CEDFF2" ! Milan† | San Siro | Legendary football stadium, hosted 2016 UEFA Champions League Final. Favorite due to facilities. |- style="background:#F2E0CE" ! Naples^ | Stadio Diego Armando Maradona | Recently renovated football stadium. Logistical concerns over hosting Eurovoice. |- style="background:#D0F0C0" ! Rome* | Stadio Olimpico | It's capacity is outstanding. Strong bid but with some problems |- style="background:#D0F0C0" ! Turin* | Pala Alpitour | Hosted Eurovision Song Contest 2022. Questionable whether city could host again so soon. |} == Participating Countries == In November 18th 2023, the official PEBO website released the list of the 20 countries that would take part in Eurovoice 2024. {| class="wikitable sortable" |- ! Country !! Artist !! Song !! Language(s) !! Genre(s) |- | {{Austria2024}} || || || || |- | {{Belgium2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Belgiquefest 2024)'''</small> |- | {{Croatia2024}} || || || || |- | {{Denmark2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (Stjerne 2024)'''</small> |- | {{Finland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Helsinki Point 2024)'''</small> |- | {{France2024}} || ANI/MAL || "J'y vais!" || English || EDM |- | {{Germany2024}} || VAN!YA || align="center" colspan=2" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024'''</small> || Hyperpop |- | {{Greece2024}} || || || || |- | {{Iceland2024}} || || || || |- | {{Ireland2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Ready To Milan)'''</small> |- | {{Italy2024}} || || || || |- | {{Luxembourg2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA March 2024 (Dram Lidd 2024)'''</small> |- | {{Netherlands2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (NetherVoice 2024)'''</small> |- | {{Norway2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA February 2024 (Det Utrolige Showet 2024)'''</small> |- | {{Poland2024}} || Zaya Diomnrek || || || |- | {{Portugal2024}} || || || || |- | {{Spain2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA January 2024 (FUGAZ! 2024)'''</small> |- | {{Sweden2024}} || align="center" colspan=4" rowspan="?" bgcolor="#e0dcfc"|<small>'''TBA December 2023 (Stockholm Point 2024)'''</small> |- | {{Switzerland2024}} || Púul & Zoe || || || |- | {{United Kingdom2024}} || St Bernard || || || Indie Rock |} == Other Countries == * {{Albania}}: RTSH declined the invitation due to the denial of Kosovo and concerns about the previous events. * {{Andorra}}: RTVA cited lack of interest, sponsors, and financial constraints for not joining Eurovoice 2024. * {{Armenia}}: Withdrew due to political and military tensions with Azerbaijan and perceived lack of safety. * {{Azerbaijan}}: Withdrew citing bias, unfair treatment, and disrespect for sovereignty and territorial integrity. * {{Belarus}}: Didn't meet PEBO requirements due to dictatorship; accused Lukashenko of human rights violations. * {{Bosnia and Herzegovina}}: Skipped due to political and ethnic divisions hindering broadcaster cooperation. * {{Bulgaria}}: BNT decided not to participate, citing economic issues and increased costs. * {{Cyprus}}: Did not join due to ongoing dispute with Turkey over the northern part of the island. * {{Estonia}}: Opted out due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Georgia}}: Withdrew due to political and social unrest following disputed parliamentary elections. * {{Hungary}}: Did not enter due to controversial government policies criticized by PEBO and European institutions. * {{Latvia}}: Skipped due to financial difficulties and budget cuts affecting broadcaster LTV. * {{Liechtenstein}}: Did not join due to lack of a national broadcaster and suitable selection process. * {{Lithuania}}: Opted out due to environmental and ethical concerns raised by the contest. * {{Malta}}: Withdrew due to a scandal and investigation involving their broadcaster, PBS. * {{Moldova}}: Did not enter due to a political and economic crisis following the collapse of the government. * {{Monaco}}: Did not join due to the country's low population and limited market. * {{Montenegro}}: Skipped due to financial constraints and poor results of previous entries. * {{North Macedonia}}: Withdrew due to the same reasons as Bulgaria, facing increased costs. * {{Romania}}: Did not enter due to legal and administrative issues affecting broadcaster TVR. * {{Russia}}: Withdrew due to political tensions and disputes with PEBO and some contest participants. * {{San Marino}}: Skipped due to logistical and technical difficulties in the contest. * {{Serbia}}: Withdrew due to cultural and religious conflicts encountered in the contest. * {{Slovakia}}: Did not enter due to lack of interest and support from the public and media. * {{Slovenia}}: Opted out due to financial difficulties and budget cuts. * {{Turkey}}: Did not join due to political and diplomatic tensions with some European countries and institutions. * {{Ukraine}}: Withdrew due to political tensions and disputes with Russia. fd680e1727b394ea978198f78d8ced9493c416ca France in Eurovoice 2024 0 131 303 300 2024-01-26T15:17:07Z Penguinx 6 wikitext text/x-wiki {{Infobox country edition | country = France | edition = 2024 | selection = Festival de Musique Prime 46 | selection_dates = * Night 1: 11th December 2023 * Night 2: 13th December 2023 * Night 3: 15th December 2023 '''Final Night''': 17th December 2023 | entrant = | song = | songwriter = | pqr_result = | semi_result = | final_result = | prev = | next =2025 }} [[France]] will participate in [[Eurovoice 2024]] in [[Wikipedia:Milan|Milan]], Italy with the winning song of Festival de Musique Prime 46. On October 21 2023, the French broadcaster, FTV, announced that their famous festival, Festival de Musique Prime, will decide their entrant for [[Eurovoice 2024]]. ==Festival de Musique Prime 46== 30 songs and artists from across France and it's territories will participate in this edition. They will be decided on 3 nights. In each night, 2 songs will qualify to the "Final Night", that will decided the winner of Festival de Musique Prime and the entry for [[Eurovoice 2024]] === Participating Entries === On December 3 2023, TFTV revealed the entries that will compete in the Festival de Musique Prime. Here are they: {| class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" !Artist !Song !Language !Genre |- ! scope="row" |Amélie Dubois |"Seul" |French |Chanson |- ! scope="row" |ANALIA |"PRÉSENTATION: ANALIA" |French, English |Electro-Pop |- ! scope="row" |ANI/MAL |"J'y vais!" |English |EDM |- ! scope="row" |Ar C'hwilotennoù |"Neven du war ar stered" |Breton |Folk-Rock |- ! scope="row" |Aubergo |"Interrupteur" |French |Pop |- ! scope="row" |BEAU |"The star of the show" |French, English |Rap |- ! scope="row" |Bilal & Kareem.wav |"Habibi" |French, Arab |Rap |- ! scope="row" |deux lilas |"électricité" |French |Indie, Synthpop |- ! scope="row" |Guyaboy |"Luv" |French, Guyanese Creole |R&B |- ! scope="row" |I Suonattori |"più difficile" |Ligurian |Folktronica |- ! scope="row" |Isa Bella |"À mort" |French |Chanson |- ! scope="row" |ITZ FLEUR |"RACE STARTED" |English |Hyperpop |- ! scope="row" |Koko |"Quand les lumières s'éteignent" |French |Ballad |- ! scope="row" |KWINJEU |"Excuse moi?" |French, English, Korean |K-Pop |- ! scope="row" |Lanna |"comme elle est jolie" |French |Indie Ballad |- ! scope="row" |Léa Roux |"L'amour n'est pas facile à obtenir" |French |Power-Ballad |- ! scope="row" |Lia Best |"MDRR" |French, English |Hyperpop |- ! scope="row" |Lucie Lambert |"Mon coeur" |French |Chanson |- ! scope="row" |Mr. Dreadlocks |"Calme" |French, English |Reggae |- ! scope="row" |Mrde |"Stagnant" |French |Alt-Rock |- ! scope="row" |Nouvel An |"Onde sonore" |French |Jazz |- ! scope="row" |OIE |"EXPÉRIENCEMOUETTE" |French |Avant-Garde |- ! scope="row" |Quantino, LXLA |"Nous sommes de l'un à l'autre" |French, English |Ballad |- ! scope="row" |Roumain Girard |"Je la veux pour moi" |French |Chanson |- ! scope="row" |Sophie Laurent |"Donc" |French |Chanson |- ! scope="row" |sunscape |"assez de nuits (je suis fatigué)" |French |Indie |- ! scope="row" |The Lighthouse |"Tuning In" |English |Country |- ! scope="row" |Victor Roux |"VIP" |French |Pop |- ! scope="row" |Xavier Dupont |"Objets Perdus" |French |Chanson |- ! scope="row" |ZaZa |"Eguzki" |Basque |Folk |- |} === Shows === Festival de Musique Prime is divided in 4 different shows, the first 3 being the "semifinals" (Night 1, Night 2 and Night 3), and the "Final Night", where all of the qualifiers perform for a chance to win the festival and get a spot in Eurovoice 2024. Each of the semifinal nights will have 3 songs qualifying for the final. The voting system is a 50/50 Jury and Televote system. {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 1 - December 11th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |- | style="text-align:center;" |01 |Sophie Laurent |Donc | style="text-align:center;" |10 | style="text-align:center;" |7 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |02 |sunscape |assez de nuits (je suis fatigué) | style="text-align:center;" | 17 | style="text-align:center;" | 2 |- | style="text-align:center;" |03 |ZaZa |Eguzki | style="text-align:center;" |10 | style="text-align:center;" |6 |- | style="text-align:center;" |04 |Lucie Lambert |Mon coeur | style="text-align:center;" |10 | style="text-align:center;" |8 |- | style="text-align:center;" |05 |Mr. Dreadlocks |Calme | style="text-align:center;" |9 | style="text-align:center;" |9 |- | style="text-align:center;" |06 |BEAU |The star of the show | style="text-align:center;" |12 | style="text-align:center;" |4 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |07 |KWINJEU |Excuse moi? | style="text-align:center;" | 14 | style="text-align:center;" | 3 |- | style="text-align:center;" |08 |Victor Roux |VIP | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |09 |Aubergo |Interrupteur | style="text-align:center;" | 20 | style="text-align:center;" | 1 |- | style="text-align:center;" |10 |Amélie Dubois |Seul | style="text-align:center;" |11 | style="text-align:center;" |5 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 2 - December 13th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | Xavier Dupont | Objets Perdus | style="text-align:center;" | 22 | style="text-align:center;" | 1 |- | style="text-align:center;" |02 | Isa Bella | À mort | style="text-align:center;" |7 | style="text-align:center;" |9 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |03 | I Suonattori | più difficile | style="text-align:center;" | 16 | style="text-align:center;" | 2 |- | style="text-align:center;" |04 | Léa Roux | L'amour n'est pas facile à obtenir | style="text-align:center;" |11 | style="text-align:center;" |5 |- | style="text-align:center;" |05 | ANALIA | PRÉSENTATION: ANALIA | style="text-align:center;" |13 | style="text-align:center;" |4 |- | style="text-align:center;" |06 | The Lighthouse | Tuning In | style="text-align:center;" |8 | style="text-align:center;" |6 |- | style="text-align:center;" |07 | Quantino, LXLA | Nous sommes de l'un à l'autre | style="text-align:center;" |8 | style="text-align:center;" |8 |- | style="text-align:center;" |08 | Nouvel An | Onde sonore | style="text-align:center;" |8 | style="text-align:center;" |7 |- | style="text-align:center;" |09 | Guyaboy | Luv | style="text-align:center;" |7 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |10 | OIE | EXPÉRIENCEMOUETTE | style="text-align:center;" | 16 | style="text-align:center;" | 3 |} {{Legend|navajowhite|Qualifier}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Night 3 - December 15th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |01 | ANI/MAL | J'y vais! | style="text-align:center;" | 20 | style="text-align:center;" | 1 |- | style="text-align:center;" |02 | ITZ FLEUR | RACE STARTED | style="text-align:center;" |16 | style="text-align:center;" |4 |- | style="text-align:center;" |03 | deux lilas | électricité | style="text-align:center;" |7 | style="text-align:center;" |8 |- | style="text-align:center;" |04 | Bilal & Kareem.wav | Habibi | style="text-align:center;" |9 | style="text-align:center;" |7 |- | style="text-align:center;" |05 | Lanna | comme elle est jolie | style="text-align:center;" |10 | style="text-align:center;" |6 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |06 | Ar C'hwilotennoù | Neven du war ar stered | style="text-align:center;" | 17 | style="text-align:center;" | 3 |- | style="text-align:center;" | 07 | Mrde | Stagnant | style="text-align:center;" |3 | style="text-align:center;" |10 |-style="font-weight:bold;background:navajowhite;" | style="text-align:center;" |08 | Koko | Quand les lumières s'éteignent | style="text-align:center;" | 18 | style="text-align:center;" | 2 |- | style="text-align:center;" |09 | Roumain Girard | Je la veux pour moi | style="text-align:center;" |4 | style="text-align:center;" |9 |- | style="text-align:center;" |10 | Lia Best | MDRR | style="text-align:center;" |12 | style="text-align:center;" |5 |} ==== Final Night ==== In the final night of Festival de Musique Prime 46, the winner will be decided by a 50% jury vote (25% international jury panel and 25% national jury panel) and 50% on national televote. In case of a tiebreaker, the jury will have priority. {{Legend|gold|Winner}}{{Legend|silver|Second place}}{{Legend|#cc9966|Third place}} {| class="sortable wikitable" style="margin: 1em auto 1em auto;" |- |+Final Night - December 17th, 2023 |- !{{Abbr|R/O|Running order}} !Artist !Song !Points !Place |-style="font-weight:bold;background:silver;" | style="text-align:center;" |1 | KWINJEU | Excuse moi? | 110 | 2 |- | style="text-align:center;" |2 | Ar C'hwilotennoù | Neven du war ar stered | 29 | 9 |- | style="text-align:center;" |3 | Koko | Quand les lumières s'éteignent | 75 | 6 |- | style="text-align:center;" |4 | Aubergo | Interrupteur | 107 | 4 |-style="font-weight:bold;background:#cc9966;" | style="text-align:center;" |5 | OIE | EXPÉRIENCEMOUETTE | 109 | 3 |- | style="text-align:center;" |6 | Xavier Dupont | Objets Perdus | 90 | 5 |- | style="text-align:center;" |7 | sunscape | assez de nuits (je suis fatigué) | 40 | 8 |- | style="text-align:center;" |8 | I Suonattori | più difficile | 50 | 7 |-style="font-weight:bold;background:gold;" | style="text-align:center;" |9 | ANI/MAL | J'y vais! | 134 | 1 |} ==Odds for Festival de Musique Primé 46== Bookmakers predicted that: '''ANI/MAL''' will win with 43% while '''Koko''' will place second with 37%. {|class="sortable wikitable plainrowheaders" style="margin: 1em auto 1em auto;" ! Place ! Artist ! Percent to Win |- bgcolor="gold" | 1 | ANI/MAL | 43% |- | 2 | Koko | 37% |- | 3 | KWINJEU | 20% |- | 4 | OIE | 14% |- | 5 | Aubergo | 9% |- | 6 | Ar C'hwilotennoù | 5% |- | 7 | Sunscape | 2% |- | 8 | I Suonattori | <1% |- | 9 | Xavier Dupont | <1% |} ==See Also== *[[Estonia|Estonia in The Song]] *[[Pre-Qualification Round 9]] *[[The Song 9]] [[Category:National selections]] [[Category: The Song 9 National selections]] {{Estonia in The Song|state=mw-collapsed}} {{The Song 9}} <references /> e51a8de96f83eefff5833f7bfc62b313f417c557